我可以使用以下测试代码中的ZipFile.CreateFromDirectory
来压缩特定文件夹中的文件(我只使用此代码来测试压缩的工作方式):
// Where the files are located
string strStartPath = txtTargetFolder.Text;
// Where the zip file will be placed
string strZipPath = @"C:\Users\smelmo\Desktop\testFinish\" + strFileNameRoot + "_" + txtDateRange1.Text.Replace(@"/", "_") + "_" + txtDateRange2.Text.Replace(@"/", "_") + ".zip";
ZipFile.CreateFromDirectory(strStartPath, strZipPath);
但是,这会将文件夹中的所有内容压缩在一起。我正在尝试使用以下代码中的ZipArchive
将文件夹中的特定项目压缩在一起:
// Where the files are located
string strStartPath = txtTargetFolder.Text;
// Where the zip file will be placed
string strZipPath = @"C:\Users\smelmo\Desktop\testFinish\" + strFileNameRoot + "_" + txtDateRange1.Text.Replace(@"/", "_") + "_" + txtDateRange2.Text.Replace(@"/", "_") + ".zip";
using (ZipArchive archive = ZipFile.OpenRead(strStartPath))
{
foreach (ZipArchiveEntry entry in archive.Entries)
{
if (!(entry.FullName.EndsWith(".TIF", StringComparison.OrdinalIgnoreCase)))
{
entry.ExtractToFile(Path.Combine(strZipPath, entry.FullName));
}
}
}
它在ZipFile.OpenRead(strStartPath)
给出错误。为什么我能够访问第一个代码块中的确切文件夹而不是第二个代码块?或者是否有更简单的方法来搜索文件夹并仅压缩特定项目?
答案 0 :(得分:2)
您正在使用Zip库错误
实际上你正试图打开一个目录,好像它是一个zip文件,然后循环遍历该目录的内容(实际上也是一个zip文件),然后尝试将每个成员提取到一个不同的zip文件
以下是您所描述的尝试的实例:
string strStartPath = @"PATH TO FILES TO PUT IN ZIP FILE";
string strZipPath = @"PATH TO ZIP FILE";
if (File.Exists(strZipPath))
File.Delete(strZipPath);
using (ZipArchive archive = ZipFile.Open(strZipPath, ZipArchiveMode.Create))
{
foreach (FileInfo file in new DirectoryInfo(strStartPath).GetFiles())
{
if (!(file.FullName.EndsWith(".TIF", StringComparison.OrdinalIgnoreCase)))
{
archive.CreateEntryFromFile(Path.Combine(file.Directory.ToString(), file.Name), file.Name);
}
}
}
这将获取文件夹的所有根级别内容并将其放入zip文件中。您将需要以递归方式实现自己的方式获取子文件夹及其内容,但这超出了本问题的范围。
编辑:这是一个工作示例,正确的文件夹递归,即使在子目录中也可以选择所有文件
public void ZipFolder()
{
string strStartPath = @"PATH TO FILES TO PUT IN ZIP FILE";
string strZipPath = @"PATH TO ZIP FILE";
if (File.Exists(strZipPath))
File.Delete(strZipPath);
using (ZipArchive archive = ZipFile.Open(strZipPath, ZipArchiveMode.Create))
{
foreach (FileInfo file in RecurseDirectory(strStartPath))
{
if (!(file.FullName.EndsWith(".TIF", StringComparison.OrdinalIgnoreCase)))
{
var destination = Path.Combine(file.DirectoryName, file.Name).Substring(strStartPath.Length + 1);
archive.CreateEntryFromFile(Path.Combine(file.Directory.ToString(), file.Name), destination);
}
}
}
}
public IEnumerable<FileInfo> RecurseDirectory(string path, List<FileInfo> currentData = null)
{
if (currentData == null)
currentData = new List<FileInfo>();
var directory = new DirectoryInfo(path);
foreach (var file in directory.GetFiles())
currentData.Add(file);
foreach (var d in directory.GetDirectories())
RecurseDirectory(d.FullName, currentData);
return currentData;
}