1

我有一个视图,我在其中放置了事件的 ID,然后我可以下载该事件的所有图像.....这是我的代码

[HttpPost]
    public ActionResult Index(FormCollection All)
    {
        try
        {
            var context = new MyEntities();

            var Im = (from p in context.Event_Photos
                      where p.Event_Id == 1332
                      select p.Event_Photo);

            Response.Clear();

            var downloadFileName = string.Format("YourDownload-{0}.zip", DateTime.Now.ToString("yyyy-MM-dd-HH_mm_ss"));
            Response.ContentType = "application/zip";

            Response.AddHeader("content-disposition", "filename=" + downloadFileName);

            using (ZipFile zipFile = new ZipFile())
            {
                zipFile.AddDirectoryByName("Files");
                foreach (var userPicture in Im)
                {
                    zipFile.AddFile(Server.MapPath(@"\") + userPicture.Remove(0, 1), "Files");
                }
                zipFile.Save(Response.OutputStream);

                //Response.Close();
            }
            return View();
        }
        catch (Exception ex)
        {
            return View();
        }
    }

问题是,每次我下载 html 页面时,我都没有下载“Album.zip”,而是得到“Album.html”任何想法???

4

1 回答 1

11

在 MVC 中,如果你想返回一个文件,而不是返回一个视图,你可以ActionResult通过以下方式返回它:

return File(zipFile.GetBytes(), "application/zip", downloadFileName);
// OR
return File(zipFile.GetStream(), "application/zip", downloadFileName);

如果您使用 MVC,请不要纠结于手动写入输出流。

我不确定您是否可以从ZipFile类中获取字节或流。或者,您可能希望它将其输出写入 aMemoryStream然后返回:

 var cd = new System.Net.Mime.ContentDisposition {
     FileName = downloadFileName,
     Inline = false, 
};
Response.AppendHeader("Content-Disposition", cd.ToString());
var memStream = new MemoryStream();
zipFile.Save(memStream);
memStream.Position = 0; // Else it will try to read starting at the end
return File(memStream, "application/zip");

通过使用它,您可以删除所有使用Response. 不需要ClearAddHeader

于 2013-03-13T13:49:58.403 回答