using System.IO.Compression;
/// <summary>
/// 将指定目录压缩为Zip文件
/// </summary>
/// <param name="folderPath">文件夹地址 D:/download/ </param>
/// <param name="zipPath">zip地址 D:/download/test.zip </param>
public static void CompressDirectoryZip(string folderPath, string zipPath)
{
DirectoryInfo directoryInfo = new(zipPath);
if (directoryInfo.Parent != null)
{
directoryInfo = directoryInfo.Parent;
}
if (!directoryInfo.Exists)
{
directoryInfo.Create();
}
ZipFile.CreateFromDirectory(folderPath, zipPath, CompressionLevel.Optimal, false);
}
其中 CompressionLevel 是个枚举,支持下面四种类型
枚举 | 值 | 表意 |
---|
Optimal | 0 | 压缩操作应以最佳方式平衡压缩速度和输出大小。 |
Fastest | 1 | 即使结果文件未可选择性地压缩,压缩操作也应尽快完成。 |
NoCompression | 2 | 该文件不应执行压缩。 |
SmallestSize | 3 | 压缩操作应尽可能小地创建输出,即使该操作需要更长的时间才能完成。 |
这里直接固定了采用 CompressionLevel.Optimal
/// <summary>
/// 将指定文件压缩为Zip文件
/// </summary>
/// <param name="filePath">文件地址 D:/test.txt </param>
/// <param name="zipPath">zip地址 D:/test.zip </param>
public static void CompressFileZip(string filePath, string zipPath)
{
//如果是多个文件请考虑一下整个文件夹迁移还是分文件迁移到临时目录
FileInfo fileInfo = new FileInfo(filePath);
string dirPath = fileInfo.DirectoryName?.Replace("\\", "/") + "/";
string tempPath = dirPath + Guid.NewGuid() + "_temp/";
if (!Directory.Exists(tempPath))
{
Directory.CreateDirectory(tempPath);
}
fileInfo.CopyTo(tempPath + fileInfo.Name);
CompressDirectoryZip(tempPath, zipPath);
DirectoryInfo directory = new(tempPath);
if (directory.Exists)
{
//将文件夹属性设置为普通,如:只读文件夹设置为普通
directory.Attributes = FileAttributes.Normal;
directory.Delete(true);
}
}
这里压缩文件的逻辑其实就是先将我们要压缩的文件复制到一个临时目录,然后对临时目录执行了压缩动作,压缩完成之后又删除了临时目录
以下是解压文件
/// <summary>
/// 解压Zip文件到指定目录
/// </summary>
/// <param name="zipPath">zip地址 D:/download/test.zip</param>
/// <param name="folderPath">文件夹地址 D:/test/</param>
public static void DecompressZip(string zipPath, string folderPath)
{
DirectoryInfo directoryInfo = new(folderPath);
///这里注意,如果压缩文件已存在会报错,请自行判断处理
///我的做法是先删除,请根据自己也无需要合理处理
if (!directoryInfo.Exists)
{
directoryInfo.Create();
}
ZipFile.ExtractToDirectory(zipPath, folderPath);
}
至此 C# 使用原生 System.IO.Compression 实现 zip 的压缩与解压 就讲解完了
评论 (0)