我最近遇到了一些问题。我一直在尝试将一个zip文件解压缩到内存流中,然后从该流中使用updateEntry()
方法将其添加到目标zip文件中。
问题是,当流中的文件被放入目标zip时,如果该文件尚未包含在zip中,则它可以正常工作。如果存在具有相同名称的文件,则不会正确覆盖。它在dotnetzip文档中说,这个方法将覆盖zip中存在的具有相同名称的文件,但它似乎不起作用。它会正确写入但是当我去检查zip时,应该被覆盖的文件的压缩字节大小为0意味着出错了。
我在下面附上我的代码,向您展示我正在做的事情:
ZipFile zipnew = new ZipFile(forgeFile);
ZipFile zipold = new ZipFile(zFile);
using(zipnew) {
foreach(ZipEntry zenew in zipnew) {
percent = (current / zipnew.Count) * 100;
string flna = zenew.FileName;
var fstream = new MemoryStream();
zenew.Extract(fstream);
fstream.Seek(0, SeekOrigin.Begin);
using(zipold) {
var zn = zipold.UpdateEntry(flna, fstream);
zipold.Save();
fstream.Dispose();
}
current++;
}
zipnew.Dispose();
}
答案 0 :(得分:4)
虽然可能有点慢,但我通过手动删除和添加文件找到了解决方案。我会留下代码,以防其他人遇到这个问题。
ZipFile zipnew = new ZipFile(forgeFile);
ZipFile zipold = new ZipFile(zFile);
using(zipnew) {
// Loop through each entry in the zip file
foreach(ZipEntry zenew in zipnew) {
string flna = zenew.FileName;
// Create a new memory stream for extracted files
var ms = new MemoryStream();
// Extract entry into the memory stream
zenew.Extract(ms);
ms.Seek(0, SeekOrigin.Begin); // Rewind the memory stream
using(zipold) {
// Remove existing entry first
try {
zipold.RemoveEntry(flna);
zipold.Save();
}
catch (System.Exception ex) {} // Ignore if there is nothing found
// Add in the new entry
var zn = zipold.AddEntry(flna, ms);
zipold.Save(); // Save the zip file with the newly added file
ms.Dispose(); // Dispose of the stream so resources are released
}
}
zipnew.Dispose(); // Close the zip file
}