3

我正在尝试通过 url 下载 zip 文件以从中提取文件。我宁愿不必将其保存为临时文件(可以正常工作),而是将其保存在内存中-它不是很大。例如,如果我尝试下载此文件:

http://phs.googlecode.com/files/Download%20File%20Test.zip

使用此代码:

using Ionic.Zip;
...
HttpWebRequest request = (HttpWebRequest)HttpWebRequest.Create(URL);
HttpWebResponse response = (HttpWebResponse)request.GetResponse();

if (response.ContentLength > 0)
{
    using (MemoryStream zipms = new MemoryStream())
    {
        int bytesRead;
        byte[] buffer = new byte[32768];

        using (Stream stream = response.GetResponseStream())
        {
            while ((bytesRead = stream.Read(buffer, 0, buffer.Length)) > 0)
                zipms.Write(buffer, 0, bytesRead);

            ZipFile zip = ZipFile.Read(stream); // <--ERROR: "This stream does not support seek operations. "
        }

        using (ZipFile zip = ZipFile.Read(zipms)) // <--ERROR: "Could not read block - no data!  (position 0x00000000) "
        using (MemoryStream txtms = new MemoryStream())
        {
            ZipEntry csentry= zip["Download File Test.cs"];
            csentry.Extract(txtms);
            txtms.Position = 0;
            using (StreamReader reader = new StreamReader(txtms))
            {
                string csentry = reader.ReadToEnd();
            }
        }
    }
}
...

请注意我在哪里标记了我收到的错误。对于第一个,它不喜欢 System.Net.ConnectStream。如果我将该行注释掉并允许它到达我注意到第二个错误的行,它不喜欢 MemoryStream。我确实看到了这个帖子:https ://stackoverflow.com/a/6377099/1324284但我遇到了与其他人提到的相同问题,即没有超过 4 个 Read 方法的重载,因此我无法尝试 WebClient。

但是,如果我通过 FileStream 执行所有操作并首先将其保存到临时位置,然后将 ZipFile.Read 指向该临时位置,则一切正常,包括将任何包含的文件提取到 MemoryStream 中。

谢谢你的帮助。

4

1 回答 1

4

在读取之前,您需要将Flush()MemoryStream设置Position为 0,否则您将尝试从当前位置(没有任何内容)读取。

对于您的代码:

ZipFile zip;
using (Stream stream = response.GetResponseStream())
{
    while ((bytesRead = stream.Read(buffer, 0, buffer.Length)) > 0)
        zipms.Write(buffer, 0, bytesRead);
    zipms.Flush();
    zipms.Position = 0;
    zip = ZipFile.Read(zipms);
}
于 2013-10-16T11:53:15.950 回答