使用ZipOutputStream存档多个文件为我提供了一个空存档文件

时间:2015-03-24 20:28:35

标签: c# .net memorystream sharpziplib

我试图通过ZipoutputStream下载一堆我正在压缩(存档)的文件。

using (var zipStream = new ZipOutputStream(outputMemStream))
{
    foreach (var documentIdString in documentUniqueIdentifiers)
    {   
        ...
        var blockBlob = container.GetBlockBlobReference(documentId.ToString());

        var fileMemoryStream = new MemoryStream();

        blockBlob.DownloadToStream(fileMemoryStream);

        zipStream.SetLevel(3); 

        fileMemoryStream.Position = 0;

        ZipEntry newEntry = new ZipEntry(document.FileName);
        newEntry.DateTime = DateTime.Now;

        zipStream.PutNextEntry(newEntry);

        fileMemoryStream.Seek(0, SeekOrigin.Begin);
        StreamUtils.Copy(fileMemoryStream, zipStream, new byte[4096]);

        zipStream.IsStreamOwner = false; // False stops the Close also Closing the underlying stream.

    }

    outputMemStream.Seek(0, SeekOrigin.Begin);
    return outputMemStream;
}

在我的控制器中,我将返回以下代码,该代码应该下载我在上一个示例中创建的Zip文件。控制器操作在浏览器中下载文件,但存档文件为空。我可以看到从上面的方法返回填充的内容长度...

file.Seek(0, SeekOrigin.Begin);
return File(file, "application/octet-stream", "Archive.zip");

有没有人知道为什么我的控制器返回的文件是空的还是损坏的?

1 个答案:

答案 0 :(得分:2)

我相信你需要关闭你的条目和你的最终拉链流。您还应using并处置所有流。试试这个:

using (var zipStream = new ZipOutputStream(outputMemStream))
{
    zipStream.IsStreamOwner = false;
    // Set compression level
    zipStream.SetLevel(3); 

    foreach (var documentIdString in documentUniqueIdentifiers)
    {   
        ...
        var blockBlob = container.GetBlockBlobReference(documentId.ToString());

        using (var fileMemoryStream = new MemoryStream())
        {
            // Populate stream with bytes
            blockBlob.DownloadToStream(fileMemoryStream);

            // Create zip entry and set date
            ZipEntry newEntry = new ZipEntry(document.FileName);
            newEntry.DateTime = DateTime.Now;
            // Put entry RECORD, not actual data
            zipStream.PutNextEntry(newEntry);
            // Copy date to zip RECORD
            StreamUtils.Copy(fileMemoryStream, zipStream, new byte[4096]);
            // Mark this RECORD closed in the zip
            zipStream.CloseEntry();
        }
    }

    // Close the zip stream, parent stays open due to !IsStreamOwner
    zipStream.Close();

    outputMemStream.Seek(0, SeekOrigin.Begin);
    return outputMemStream;
}

编辑 - 您应该删除:

// Reset position of stream
fileMemoryStream.Position = 0;

很确定这是问题所在。