在我的MVC项目中,我对Web API进行了AJAX调用。
我发送一系列文档路径, API(应该)拉链并返回zip文件。
self.zipDocs = function (docs, callback) {
$.ajax({
url: "../SharedAPI/documents/zip",
type: "POST",
data: docs,
contentType: "application/json",
success: function (data) {
var zip = new JSZip(data);
var content = zip.generate({ type: "blob" });
saveAs(content, "example.zip");
},
error: function (data) {
callback(data);
}
});
}
我的ZipDocs在WebAPI上运行(使用DotNetZip库):
[HttpPost]
[Route("documents/zip")]
public HttpResponseMessage ZipDocs([FromBody] string[] docs)
{
using (var zipFile = new ZipFile())
{
zipFile.AddFiles(docs, false, "");
return ZipContentResult(zipFile);
}
}
protected HttpResponseMessage ZipContentResult(ZipFile zipFile)
{
// inspired from http://stackoverflow.com/a/16171977/92756
var pushStreamContent = new PushStreamContent((stream, content, context) =>
{
zipFile.Save(stream);
stream.Close(); // After save we close the stream to signal that we are done writing.
}, "application/zip");
return new HttpResponseMessage(HttpStatusCode.OK) { Content = pushStreamContent };
}
但是当Zip返回时,我收到以下错误:
未捕获错误:zip损坏:缺少16053字节。
真正奇怪的是,当我将API文件保存到磁盘它正确保存时,我可以毫无问题地打开文件!
我做错了什么?我错过了什么吗? 请帮忙!
提前致谢。
答案 0 :(得分:3)
两件事:
1 / $.ajax
处理文本响应并尝试(utf-8)解码内容:您的zip文件不是文本,您将获得损坏的内容。 jQuery doesn't support binary content所以你需要使用前面的链接并在jQuery上添加ajax传输或直接使用XmlHttpRequest。使用xhr,您需要设置xhr.responseType = "blob"
并从xhr.response
读取blob。
2 /假设您的js代码片段是整个函数,您(尝试)获取二进制内容,解析zip文件,重新生成它,将内容提供给用户。您可以直接给出结果:
// with xhr.responseType = "arraybuffer"
var arraybuffer = xhr.response;
var blob = new Blob([arraybuffer], {type:"application/zip"});
saveAs(blob, "example.zip");
// with xhr.responseType = "blob"
var blob = xhr.response;
saveAs(blob, "example.zip");
编辑:示例:
with jquery.binarytransport.js(允许您下载Blob或ArrayBuffer的任何库都可以)
$.ajax({
url: "../SharedAPI/documents/zip",
dataType: 'binary', // to use the binary transport
// responseType:'blob', this is the default
// [...]
success: function (blob) {
// the result is a blob, we can trigger the download directly
saveAs(blob, "example.zip");
}
// [...]
});
使用原始XMLHttpRequest,您可以看到此question,只需添加xhr.responseType = "blob"
即可获得blob。
我从未使用过C#,但从我所看到的情况来看,[FromBody]
对数据格式非常敏感,第一种解决方案应该更容易实现。