C-Sharp | Java | Python | Swift | GO | WPF | Ruby | Scala | F# | JavaScript | SQL | PHP | Angular | HTML
Note: The GZIP compression algorithm is used on many web pages to boost performance. This method shows the use of GZIP on a string.
StringsPart A: We use Path.GetTempFileName and File.WriteAllText. This writes the string to a temporary file.
Part B: We use FileStream here to read in bytes from the file. The using statement provides effective system resource disposal.
UsingByte ArrayPart C: We use a new GZipStream to write the compressed data to the disk. We must combine it with a FileStream.
C# program that compresses
using System.IO;
using System.IO.Compression;
using System.Text;
class Program
{
static void Main()
{
try
{
// Starting file is 26,747 bytes.
string anyString = File.ReadAllText("TextFile1.txt");
// Output file is 7,388 bytes.
CompressStringToFile("new.gz", anyString);
}
catch
{
// Could not compress.
}
}
public static void CompressStringToFile(string fileName, string value)
{
// Part A: write string to temporary file.
string temp = Path.GetTempFileName();
File.WriteAllText(temp, value);
// Part B: read file into byte array buffer.
byte[] b;
using (FileStream f = new FileStream(temp, FileMode.Open))
{
b = new byte[f.Length];
f.Read(b, 0, (int)f.Length);
}
// Part C: use GZipStream to write compressed bytes to target file.
using (FileStream f2 = new FileStream(fileName, FileMode.Create))
using (GZipStream gz = new GZipStream(f2, CompressionMode.Compress, false))
{
gz.Write(b, 0, b.Length);
}
}
}
Output
Starting file is 26,747 bytes.
Output file is 7,388 bytes.
So: We can use DeflateStream to generate the DEFLATE body with no header. This may be useful in some situations.
C# program that uses DeflateStream
using System.IO;
using System.IO.Compression;
class Program
{
static void Main()
{
CompressWithDeflate("C:\\programs\\example.txt",
"C:\\programs\\deflate-output");
}
static void CompressWithDeflate(string inputPath, string outputPath)
{
// Read in input file.
byte[] b = File.ReadAllBytes(inputPath);
// Write compressed data with DeflateStream.
using (FileStream f2 = new FileStream(outputPath, FileMode.Create))
using (DeflateStream deflate = new DeflateStream(f2,
CompressionMode.Compress, false))
{
deflate.Write(b, 0, b.Length);
}
}
}
Note: This article used to have an example that was incorrect. It had an encoding problem. Jon wrote in with a fix.