6

我将文档存储在数据库中,并有一个用于下载文档的 api。

docx 和 xlsx 的下载在 IE9、Chrome 和 FF 中工作正常,但在真正的 IE8 中失败。(IE8 模式下的 IE 9 也可以)

我收到的错误消息如下:

无法从idler2 下载393。

无法打开此 Internet 站点。请求的站点不可用或找不到。请稍后再试。

使用以下响应头:HTTP/1.1 200 OK Cache-Control: no-cache Pragma: no-cache

Content-Length: 10255
Content-Type: application/octet-stream
Expires: -1
Server: Microsoft-IIS/7.5
Content-Disposition: attachment; filename=document.docx
X-AspNet-Version: 4.0.30319
X-Powered-By: ASP.NET
Date: Sat, 23 Mar 2013 11:30:41 GMT

这是我的api方法:

public HttpResponseMessage GetDocumentContent(int id)
{
    Document document = Repository.StorageFor<Client>().GetDocument(id);
    HttpResponseMessage response = Request.CreateResponse(System.Net.HttpStatusCode.OK);
    response.Content = new ByteArrayContent(document.GetBuffer());
    response.Content.Headers.ContentLength = document.GetBuffer().Length;
    response.Content.Headers.ContentDisposition = new ContentDispositionHeaderValue("attachment")
    {
        //FileName = document.GetFileName(),
        FileName = "document.docx",
        DispositionType = "attachment"
    };
    response.Content.Headers.ContentType = new MediaTypeHeaderValue("application/octet-stream");            
    return response;
}

我在内容配置和内容标题上尝试了很多变体,但没有运气..

4

2 回答 2

9

我假设您在 SSL 下会遇到这种情况。如果是这样,那么这是一个已知问题。本文讨论 Office 文档,但此问题适用于所有文件类型。

那篇文章的解决方案是删除no-cache标头,但还有更多内容。当 IE8 通过 SSL 与网站通信时,IE8 会强制执行任何无缓存请求。如果存在一个或多个标头,IE8 不会缓存该文件。因此它无法打开文件。所有这些都是特定于 IE5 到 IE8 的。

在 MVC Web API 中,它实际上又迈出了一步。由于您正在创建一个新的 HttpResponseMessage,因此您还必须在消息的标题上创建一个 CacheControlHeaderValue。您不必设置任何标头属性,只需实例化一个新的。标题将默认为所需的,因此您不必更改属性。

public HttpResponseMessage GetDocumentContent(int id)
{
    Document document = Repository.StorageFor<Client>().GetDocument(id);
    HttpResponseMessage response = Request.CreateResponse(System.Net.HttpStatusCode.OK);
    response.Headers.CacheControl = new CacheControlHeaderValue(); // REQUIRED     
    response.Content = new ByteArrayContent(document.GetBuffer());
    response.Content.Headers.ContentLength = document.GetBuffer().Length;
    response.Content.Headers.ContentDisposition = new ContentDispositionHeaderValue("attachment")
    {
        FileName = "document.docx"
    };
    response.Content.Headers.ContentType = new MediaTypeHeaderValue("application/octet-stream");
    return response;
}

我有确切的问题,但这解决了它。

于 2013-03-28T16:42:33.150 回答
2

到目前为止,我发现的唯一解决方法是将文件存储在临时文件夹中并返回下载 url。然后(javascript)客户端可以打开一个新窗口。

不是很好,但似乎 MVC 4 API 带来了一些限制。

于 2013-03-26T17:27:40.670 回答