有谁知道在 C# 中快速压缩或解压缩文件和文件夹的好方法?可能需要处理大文件。
9 回答
.Net 2.0 框架命名空间System.IO.Compression
支持 GZip 和 Deflate 算法。这里有两种方法可以压缩和解压缩可以从文件对象中获取的字节流。您可以在下面的方法中替换GZipStream
以DefaultStream
使用该算法。但是,这仍然存在处理使用不同算法压缩的文件的问题。
public static byte[] Compress(byte[] data)
{
MemoryStream output = new MemoryStream();
GZipStream gzip = new GZipStream(output, CompressionMode.Compress, true);
gzip.Write(data, 0, data.Length);
gzip.Close();
return output.ToArray();
}
public static byte[] Decompress(byte[] data)
{
MemoryStream input = new MemoryStream();
input.Write(data, 0, data.Length);
input.Position = 0;
GZipStream gzip = new GZipStream(input, CompressionMode.Decompress, true);
MemoryStream output = new MemoryStream();
byte[] buff = new byte[64];
int read = -1;
read = gzip.Read(buff, 0, buff.Length);
while (read > 0)
{
output.Write(buff, 0, read);
read = gzip.Read(buff, 0, buff.Length);
}
gzip.Close();
return output.ToArray();
}
我一直使用 SharpZip 库。
正如 Tom 指出的那样,您可以使用SharpZip 等第三方库。
另一种方法(不参加第 3 方)是使用 Windows Shell API。您需要在 C# 项目中设置对 Microsoft Shell 控件和自动化 COM 库的引用。杰拉德·吉布森 (Gerald Gibson) 举了一个例子:
我的回答是闭上眼睛,选择DotNetZip。它已经过一个大型社区的测试。
GZipStream是一个非常好的实用程序。
这在 java 中很容易做到,如上所述,您可以从 C# 访问 java.util.zip 库。参考见:
我前一阵子用它来对文件夹结构进行深度(递归)压缩,但我认为我从未使用过解压缩。如果我有这么大的动力,我可能会拉出该代码并稍后将其编辑到此处。
另一个不错的选择也是DotNetZip。
您可以使用以下方法创建 zip 文件:
public async Task<string> CreateZipFile(string sourceDirectoryPath, string name)
{
var path = HostingEnvironment.MapPath(TempPath) + name;
await Task.Run(() =>
{
if (File.Exists(path)) File.Delete(path);
ZipFile.CreateFromDirectory(sourceDirectoryPath, path);
});
return path;
}
然后您可以使用以下方法解压缩 zip 文件:
1-此方法适用于 zip 文件路径
public async Task ExtractZipFile(string filePath, string destinationDirectoryName)
{
await Task.Run(() =>
{
var archive = ZipFile.Open(filePath, ZipArchiveMode.Read);
foreach (var entry in archive.Entries)
{
entry.ExtractToFile(Path.Combine(destinationDirectoryName, entry.FullName), true);
}
archive.Dispose();
});
}
2-此方法适用于 zip 文件流
public async Task ExtractZipFile(Stream zipFile, string destinationDirectoryName)
{
string filePath = HostingEnvironment.MapPath(TempPath) + Utility.GetRandomNumber(1, int.MaxValue);
using (FileStream output = new FileStream(filePath, FileMode.Create))
{
await zipFile.CopyToAsync(output);
}
await Task.Run(() => ZipFile.ExtractToDirectory(filePath, destinationDirectoryName));
await Task.Run(() => File.Delete(filePath));
}