65.9K
CodeProject is changing. Read more.
Home

Make a Zip/UnZip Software using SharpZipLib

starIconstarIconstarIconstarIcon
emptyStarIcon
starIcon

4.33/5 (14 votes)

Sep 14, 2007

CPOL
viewsIcon

595053

downloadIcon

8995

This article shows how to use SharpZipLib to make a small Zip/UnZip software easily

Screenshot - cp.jpg

Introduction

This article shows a simple way to make a Zip/UnZip software using SharpZipLib.

Background

SharpZipLib is a very nice OpenSource library. It's a Zip, GZip, Tar and BZip2 library written entirely in C# for the .NET platform. See this link.

Using the Code

You should use FileStream class as input/output. ZipInputStream and ZipOutputStream are two important classes in the project. ZipInputStream is used to unzip the zipped data to ordinary data. ZipOutputStream is used to zip the ordinary data to zipped data. And there is another class called ZipEntry. ZipEntry is an item zipped in the *.zip file.

I use a new thread to do the zip/unzip work because the large file may lead to the UI form not responding.

This is the zip method:

public static void Zip(string SrcFile, string DstFile, int BufferSize)
{
    FileStream fileStreamIn = new FileStream
		(SrcFile, FileMode.Open, FileAccess.Read);
    FileStream fileStreamOut = new FileStream
		(DstFile, FileMode.Create, FileAccess.Write);
    ZipOutputStream zipOutStream = new ZipOutputStream(fileStreamOut);
    byte[] buffer = new byte;
    ZipEntry entry = new ZipEntry(Path.GetFileName(SrcFile));
    zipOutStream.PutNextEntry(entry);
    int size;
    do
    {
        size = fileStreamIn.Read(buffer, 0, buffer.Length);
        zipOutStream.Write(buffer, 0, size);
    } while (size > 0);
    zipOutStream.Close();
    fileStreamOut.Close();
    fileStreamIn.Close();
}

This is the unzip method:

public static void UnZip(string SrcFile, string DstFile, int BufferSize)
{
    FileStream fileStreamIn = new FileStream
		(SrcFile, FileMode.Open, FileAccess.Read);
    ZipInputStream zipInStream = new ZipInputStream(fileStreamIn);
    ZipEntry entry = zipInStream.GetNextEntry();
    FileStream fileStreamOut = new FileStream
		(DstFile + @"\" + entry.Name, FileMode.Create, FileAccess.Write);
    int size;
    byte[] buffer = new byte;
    do
    {
        size = zipInStream.Read(buffer, 0, buffer.Length);
        fileStreamOut.Write(buffer, 0, size);
    } while (size > 0);
    zipInStream.Close();
    fileStreamOut.Close();
    fileStreamIn.Close();
}

Points of Interest

So you can see that it's very easy to make a small Zip/UnZip software. SharpZipLib is very powerful and you can do a lot of things with it.

History

  • 14th September, 2007 -- Article uploaded