我有一个视图,我把事件的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”的任何想法???
答案 0 :(得分:9)
在MVC中,如果要返回文件,而不是返回视图,可以通过执行以下操作将其作为ActionResult
返回:
return File(zipFile.GetBytes(), "application/zip", downloadFileName);
// OR
return File(zipFile.GetStream(), "application/zip", downloadFileName);
如果您正在使用MVC,请不要乱用手动写入输出流。
我不确定你是否可以从ZipFile
类中获取字节或流。或者,您可能希望它将其输出写入MemoryStream
,然后返回:
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
执行任何操作的所有行。无需Clear
或AddHeader
。