ChatGPT解决这个技术问题 Extra ChatGPT

通过 jQuery.Ajax 下载文件

我在服务器端有一个用于文件下载的 Struts2 操作。

<action name="download" class="com.xxx.DownAction">
    <result name="success" type="stream">
        <param name="contentType">text/plain</param>
        <param name="inputName">imageStream</param>
        <param name="contentDisposition">attachment;filename={fileName}</param>
        <param name="bufferSize">1024</param>
    </result>
</action>

但是,当我使用 jQuery 调用操作时:

$.post(
  "/download.action",{
    para1:value1,
    para2:value2
    ....
  },function(data){
      console.info(data);
   }
);

在 Firebug 中,我看到使用二进制流检索数据。我想知道如何打开用户可以在本地保存文件的文件下载窗口?

尽管平台存在差异,但我将其标记为重复,因为据我所知,解决方案是相同的(您不能也不需要通过 Ajax 执行此操作)。
所以,没有 ajax,只使用 window.location="download.action?para1=value1...."?

J
John Culviner

2019 年现代浏览器更新

这是我现在推荐的方法,但有一些注意事项:

需要相对现代的浏览器

如果文件预计非常大,您可能应该执行类似于原始方法(iframe 和 cookie)的操作,因为以下某些操作可能会消耗至少与正在下载的文件和/或其他有趣的 CPU 一样大的系统内存副作用。

fetch('https://jsonplaceholder.typicode.com/todos/1') .then(resp => resp.blob()) .then(blob => { const url = window.URL.createObjectURL(blob); const a = document.createElement('a'); a.style.display = 'none'; a.href = url; // 你想要的文件名 a.download = 'todo-1.json'; document.body.appendChild (a); a.click(); window.URL.revokeObjectURL(url); alert('你的文件已下载!'); // 或者你知道,有更好的 UX... }) .catch(() => alert('哦不!'));

2012 原始的基于 jQuery/iframe/Cookie 的方法

Bluish 对此完全正确,您不能通过 Ajax 执行此操作,因为 JavaScript 无法将文件直接保存到用户的计算机(出于安全考虑)。不幸的是,将主窗口的 URL 指向您的文件下载意味着您几乎无法控制文件下载发生时的用户体验。

我创建了 jQuery File Download,它允许通过 OnSuccess 和 OnFailure 回调完成“类似 Ajax”的文件下载体验,以提供更好的用户体验。看看我的 blog post 关于插件解决的常见问题以及使用它的一些方法以及 demo of jQuery File Download in action。这是source

这是一个使用带有 Promise 的插件 source 的简单用例演示。 demo page 还包括许多其他“更好的 UX”示例。

$.fileDownload('some/file.pdf')
    .done(function () { alert('File download a success!'); })
    .fail(function () { alert('File download failed!'); });

根据您需要支持的浏览器,您可以使用 https://github.com/eligrey/FileSaver.js/,它允许比 jQuery File Download 使用的 IFRAME 方法更明确的控制。


我喜欢你构建的东西,但我怀疑为了获得更多 StackOverFlow 功劳,你的答案应该包含更多细节。具体来说你是如何解决问题的。
如果你能确切地提到这个“插件”是如何绕过限制的,而不是强迫我们去你的博客/插件源查看它,那就太好了。例如,它是否改为发布到 iframe?是不是需要远程脚本来保存文件并返回一个url?
@asgerhallas 当然,但是如果所述链接消失,那将完全没用。
我同意,博客是一个更好的地方,可以详细描述如何使用你的插件以及它是如何工作的。但是您至少可以简要概述一下该插件如何解决问题。例如,这通过让服务器设置 cookie 并让您的 javascript 不断寻找 cookie 直到它存在来解决问题。一旦它存在,我们可以假设下载完成。有了这种信息,人们可以很容易地快速推出自己的解决方案,并且答案不再 100% 依赖于您的博客/插件/jquery,并且可以应用于其他库。
Royi,据我了解,AJAX 永远不会支持文件下载,这会导致文件下载弹出窗口保存到磁盘。你有没有找到我不知道的方法?
b
bluish

没有人发布此@Pekka's solution...所以我会发布它。它可以帮助某人。

您不需要通过 Ajax 执行此操作。只需使用

window.location="download.action?para1=value1...."

不错的...因为我正在努力处理下载文件提示和使用 jquery ajax ..这个解决方案非常适合我..+1
请注意,这需要服务器将 Content-Disposition 标头值设置为“附件”,否则浏览器将重定向到(并显示)响应内容
或者使用 window.open(<url>, '_blank'); 确保下载不会替换您当前的浏览器内容(无论 Content-Disposition 标头如何)。
这个解决方案的问题是,如果操作失败/服务器返回错误,你的页面将被重定向到错误页面。要解决这个问题,请使用 iFrame 解决方案
此解决方案的真正问题 - 问题是关于 POST 请求。
C
Community

您可以使用 HTML5

注意:返回的文件数据必须是 base64 编码,因为您不能 JSON 编码二进制数据

在我的 AJAX 响应中,我有一个如下所示的数据结构:

{
    result: 'OK',
    download: {
        mimetype: string(mimetype in the form 'major/minor'),
        filename: string(the name of the file to download),
        data: base64(the binary data as base64 to download)
    }
}

这意味着我可以执行以下操作以通过 AJAX 保存文件

var a = document.createElement('a');
if (window.URL && window.Blob && ('download' in a) && window.atob) {
    // Do it the HTML5 compliant way
    var blob = base64ToBlob(result.download.data, result.download.mimetype);
    var url = window.URL.createObjectURL(blob);
    a.href = url;
    a.download = result.download.filename;
    a.click();
    window.URL.revokeObjectURL(url);
}

函数 base64ToBlob 取自 here,必须按照此函数使用

function base64ToBlob(base64, mimetype, slicesize) {
    if (!window.atob || !window.Uint8Array) {
        // The current browser doesn't have the atob function. Cannot continue
        return null;
    }
    mimetype = mimetype || '';
    slicesize = slicesize || 512;
    var bytechars = atob(base64);
    var bytearrays = [];
    for (var offset = 0; offset < bytechars.length; offset += slicesize) {
        var slice = bytechars.slice(offset, offset + slicesize);
        var bytenums = new Array(slice.length);
        for (var i = 0; i < slice.length; i++) {
            bytenums[i] = slice.charCodeAt(i);
        }
        var bytearray = new Uint8Array(bytenums);
        bytearrays[bytearrays.length] = bytearray;
    }
    return new Blob(bytearrays, {type: mimetype});
};

如果您的服务器正在转储要保存的文件数据,这很好。但是,我还没有完全弄清楚如何实现 HTML4 后备


a.click() 似乎在 Firefox 中不起作用......知道吗?
在某些浏览器中,您可能需要将 a 添加到 dom 才能使此代码正常工作和/或删除 revokeObjectURL 部分:document.body.appendChild(a)
拯救了我的一天(也可能是一份工作:))无论如何都不是javascript专家......更多的java家伙。但是,我不知道为什么简单的“createObjectURL(new Blob([atob(base64)]))”不起作用!它根本没有,而所有的直觉都说它必须。呜呜呜……
在第 var bytechars = atob(base64) 行,它会引发错误 JavaScript runtime error: InvalidCharacterError。我正在使用 Chrome 版本 75.0.3770.142 但我不知道,这里有什么问题。
J
João Marcos

让浏览器下载文件的简单方法是发出这样的请求:

 function downloadFile(urlToSend) {
     var req = new XMLHttpRequest();
     req.open("GET", urlToSend, true);
     req.responseType = "blob";
     req.onload = function (event) {
         var blob = req.response;
         var fileName = req.getResponseHeader("fileName") //if you have the fileName header available
         var link=document.createElement('a');
         link.href=window.URL.createObjectURL(blob);
         link.download=fileName;
         link.click();
     };

     req.send();
 }

这将打开浏览器下载弹出窗口。


谢谢,我使用了这个解决方案。像魅力一样工作。此外,如果您没有从响应中获得 blob,只需创建一个新的 Blob。
具有 IE 处理功能的更好版本 link
如果您使用的是 IE11,来自@startsWith_R 的链接真的很有帮助
C
Community

1. 与框架无关:Servlet 下载文件作为附件

<!-- with JS -->
<a href="javascript:window.location='downloadServlet?param1=value1'">
    download
</a>

<!-- without JS -->
<a href="downloadServlet?param1=value1" >download</a>

2. Struts2 Framework:动作下载文件作为附件

<!-- with JS -->
<a href="javascript:window.location='downloadAction.action?param1=value1'">
    download
</a>

<!-- without JS -->
<a href="downloadAction.action?param1=value1" >download</a>

最好使用带有 OGNL<s:a> 标记指向使用 <s:url> 标记创建的 URL

<!-- without JS, with Struts tags: THE RIGHT WAY -->    
<s:url action="downloadAction.action" var="url">
    <s:param name="param1">value1</s:param>
</s:ulr>
<s:a href="%{url}" >download</s:a>

在上述情况下,您需要Content-Disposition 标头写入 response,指定需要下载文件({1 }) 并且未被浏览器打开 (inline)。您也需要指定内容类型,并且您可能想要添加文件名和长度(以帮助浏览器绘制逼真的进度条)。

例如,下载 ZIP 时:

response.setContentType("application/zip");
response.addHeader("Content-Disposition", 
                   "attachment; filename=\"name of my file.zip\"");
response.setHeader("Content-Length", myFile.length()); // or myByte[].length...

使用 Struts2(除非您将 Action 作为 Servlet 使用,例如 hack for direct streaming),您不需要直接向响应写入任何内容;只需使用 Stream result type 并在 struts.xml 中进行配置即可:EXAMPLE

<result name="success" type="stream">
   <param name="contentType">application/zip</param>
   <param name="contentDisposition">attachment;filename="${fileName}"</param>
   <param name="contentLength">${fileLength}</param>
</result>

3. 框架无关(/Struts2 框架):Servlet(/Action) 在浏览器内打开文件

如果你想在浏览器中打开文件,而不是下载它,Content-disposition必须设置为inline,但目标不能是当前窗口地点;您必须定位由 javascript 创建的新窗口、页面中的 <iframe>,或使用“discussed”target="_blank" 即时创建的新窗口:

<!-- From a parent page into an IFrame without javascript -->   
<a href="downloadServlet?param1=value1" target="iFrameName">
    download
</a>

<!-- In a new window without javascript --> 
<a href="downloadServlet?param1=value1" target="_blank">
    download
</a>

<!-- In a new window with javascript -->    
<a href="javascript:window.open('downloadServlet?param1=value1');" >
    download
</a>

先生,您的输入:“Content-Disposition”、“inline;.... 拯救了可怜的程序员的一天 :)
这是唯一提到“window.open”的答案(其中一条评论提到了它)。
如果你有很多参数,它就不起作用,因为你会得到 too long url 错误。
n
ndpu

我创建了一个小功能作为解决方案(受@JohnCulviner 插件的启发):

// creates iframe and form in it with hidden field,
// then submit form with provided data
// url - form url
// data - data to form field
// input_name - form hidden input name

function ajax_download(url, data, input_name) {
    var $iframe,
        iframe_doc,
        iframe_html;

    if (($iframe = $('#download_iframe')).length === 0) {
        $iframe = $("<iframe id='download_iframe'" +
                    " style='display: none' src='about:blank'></iframe>"
                   ).appendTo("body");
    }

    iframe_doc = $iframe[0].contentWindow || $iframe[0].contentDocument;
    if (iframe_doc.document) {
        iframe_doc = iframe_doc.document;
    }

    iframe_html = "<html><head></head><body><form method='POST' action='" +
                  url +"'>" +
                  "<input type=hidden name='" + input_name + "' value='" +
                  JSON.stringify(data) +"'/></form>" +
                  "</body></html>";

    iframe_doc.open();
    iframe_doc.write(iframe_html);
    $(iframe_doc).find('form').submit();
}

带有点击事件的演示:

$('#someid').on('click', function() {
    ajax_download('/download.action', {'para1': 1, 'para2': 2}, 'dataname');
});

不过,这会以一种非常奇怪的方式将数据发送到服务器。我想知道是否可以对其进行更改以创建合规的 POST?
N
Naren Yellavula

我遇到了同样的问题并成功解决了。我的用例是这样的。

“将 JSON 数据发布到服务器并接收一个 excel 文件。该 excel 文件由服务器创建并作为对客户端的响应返回。将该响应作为具有自定义名称的文件下载到浏览器中”

$("#my-button").on("click", function(){

// Data to post
data = {
    ids: [1, 2, 3, 4, 5]
};

// Use XMLHttpRequest instead of Jquery $ajax
xhttp = new XMLHttpRequest();
xhttp.onreadystatechange = function() {
    var a;
    if (xhttp.readyState === 4 && xhttp.status === 200) {
        // Trick for making downloadable link
        a = document.createElement('a');
        a.href = window.URL.createObjectURL(xhttp.response);
        // Give filename you wish to download
        a.download = "test-file.xls";
        a.style.display = 'none';
        document.body.appendChild(a);
        a.click();
    }
};
// Post data to URL which handles post request
xhttp.open("POST", excelDownloadUrl);
xhttp.setRequestHeader("Content-Type", "application/json");
// You should set responseType as blob for binary responses
xhttp.responseType = 'blob';
xhttp.send(JSON.stringify(data));
});

上面的代码片段只是在做以下事情

使用 XMLHttpRequest 将数组作为 JSON 发布到服务器。

在以 blob(二进制)形式获取内容后,我们正在创建一个可下载的 URL 并将其附加到不可见的“a”链接上,然后单击它。我在这里做了一个 POST 请求。相反,您也可以使用简单的 GET。我们不能通过 Ajax 下载文件,必须使用 XMLHttpRequest。

这里我们需要在服务器端仔细设置一些东西。我在 Python Django HttpResponse 中设置了一些标头。如果您使用其他编程语言,则需要相应地设置它们。

# In python django code
response = HttpResponse(file_content, content_type="application/vnd.openxmlformats-officedocument.spreadsheetml.sheet")

由于我在这里下载 xls(excel),所以我将 contentType 调整为上述一个。您需要根据您的文件类型进行设置。您可以使用此技术下载任何类型的文件。


“我们不能通过 Ajax 下载文件,必须使用 XMLHttpRequest”。 XMLHttpRequest 根据定义是 AJAX。否则,现代网络浏览器的绝佳解决方案。对于不支持 HTMLAnchorElement.download 的 IE,我正在考虑将其与专有的 msSaveOrOpenBlob 方法结合使用。
S
Shayne

好的,基于 ndpu 的代码继承了 ajax_download 的改进(我认为)版本;-

function ajax_download(url, data) {
    var $iframe,
        iframe_doc,
        iframe_html;

    if (($iframe = $('#download_iframe')).length === 0) {
        $iframe = $("<iframe id='download_iframe'" +
                    " style='display: none' src='about:blank'></iframe>"
                   ).appendTo("body");
    }

    iframe_doc = $iframe[0].contentWindow || $iframe[0].contentDocument;
    if (iframe_doc.document) {
        iframe_doc = iframe_doc.document;
    }

    iframe_html = "<html><head></head><body><form method='POST' action='" +
                  url +"'>" 

    Object.keys(data).forEach(function(key){
        iframe_html += "<input type='hidden' name='"+key+"' value='"+data[key]+"'>";

    });

        iframe_html +="</form></body></html>";

    iframe_doc.open();
    iframe_doc.write(iframe_html);
    $(iframe_doc).find('form').submit();
}

像这样使用它;-

$('#someid').on('click', function() {
    ajax_download('/download.action', {'para1': 1, 'para2': 2});
});

参数作为正确的后参数发送,就好像来自输入一样,而不是按照前面的示例作为 json 编码字符串发送。

警告:警惕这些表格上可能出现的变量注入。可能有一种更安全的方法来编码这些变量。或者考虑逃离它们。


这是工作示例。谢谢。没有 iframe 但没有 window.location 是否可以做到这一点?
我想您可以将隐藏的表单附加到 DOM 的底部。也可能值得探索的是 Shadow dom 的使用,尽管这在旧浏览器上不一定得到很好的支持。
在这段代码中,我收到了这个错误。 Uncaught SecurityError: Blocked a frame with origin "http://foo.bar.com" from accessing a frame with origin "null". The frame requesting access has a protocol of "http", the frame being accessed has a protocol of "data". Protocols must match.
如何将此表单映射到某个模型类?我有:@ResourceMapping() public void downloadFile(final ResourceRequest request, final ResourceResponse response, @ModelAttribute("downForm") FormModel model) 但它不起作用..
void :这可能是某种跨源安全问题。这可能是一个完整的堆栈溢出问题。 @bartex9:这在很大程度上取决于您使用哪种框架。但原则是获取名称和路径并存储它,同时将文件本身推送到文件系统的 Web 可访问区域,或类似 amazon S3 以实现高可用性
a
alexbt

这是我所做的,纯 javascript 和 html。没有测试它,但这应该适用于所有浏览器。

Javascript 函数

var iframe = document.createElement('iframe');
iframe.id = "IFRAMEID";
iframe.style.display = 'none';
document.body.appendChild(iframe);
iframe.src = 'SERVERURL'+'?' + $.param($scope.filtro);
iframe.addEventListener("load", function () {
     console.log("FILE LOAD DONE.. Download should start now");
});

仅使用所有浏览器都支持的组件,无需额外的库。

https://i.stack.imgur.com/JghC5.png

这是我的服务器端 JAVA Spring 控制器代码。

@RequestMapping(value = "/rootto/my/xlsx", method = RequestMethod.GET)
public void downloadExcelFile(@RequestParam(value = "param1", required = false) String param1,
    HttpServletRequest request, HttpServletResponse response)
            throws ParseException {

    Workbook wb = service.getWorkbook(param1);
    if (wb != null) {
        try {
            String fileName = "myfile_" + sdf.format(new Date());
            response.setContentType("application/vnd.openxmlformats-officedocument.spreadsheetml.sheet");
            response.setHeader("Content-disposition", "attachment; filename=\"" + fileName + ".xlsx\"");
            wb.write(response.getOutputStream());
            response.getOutputStream().close();
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
    }

似乎没有为内容处置附件内容调用您的加载事件(因为没有将任何内容加载到 iframe 中),如果它对您有用(您获得了 console.log)请发布示例
这是一个快速小提琴jsfiddle.net/y2xezyoj,它会在 pdf 文件加载到 iframe 后立即触发加载事件。这个小提琴不会下载,因为下载的密钥在服务器端“response.setHeader(”Content-disposition ", "附件; 文件名=\"" + 文件名 + ".xlsx\"");"
是的,在这种情况下它会起作用,但如果文件被下载,即服务器发送 Content-Disposition: 附件,那么 load 事件将不会触发,这是我的观点
你是完全正确的加载事件在服务器完成处理开始发送文件后立即触发。这就是我一直在寻找的,1-阻止按钮并显示处理,以便用户可以获得正在发生的事情的反馈。 2 - 然后当服务器完成处理并即将发送文件 3 - (加载事件被触发)我解锁按钮并删除处理微调器 4 - 用户现在弹出保存文件或浏览器开始下载它定义的下载位置。对不起我的英语。
M
M46

我的方法完全基于 jQuery。我的问题是它必须是一个 POST-HTTP 调用。我希望它由 jQuery 单独完成。

解决方案:

$.ajax({
    type: "POST",
    url: "/some/webpage",
    headers: {'X-CSRF-TOKEN': csrfToken},
    data: additionalDataToSend,
    dataType: "text",
    success: function(result) {
        let blob = new Blob([result], { type: "application/octetstream" }); 

        let a = document.createElement('a');
        a.href = window.URL.createObjectURL(blob);
        a.download = "test.xml";;
        document.body.appendChild(a);
        a.click();
        document.body.removeChild(a);
        window.URL.revokeObjectURL(a.href);
                        
        ...
    },
    error: errorDialog
});

解释:

我和许多其他人所做的是在网页上创建一个链接,指示应该下载目标并将 http-request 的结果作为目标。之后,我将链接附加到文档,而不是简单地单击链接并随后删除链接。您不再需要 iframe。

神奇在于线条

let blob = new Blob([result], { type: "application/octetstream" }); 
a.href = window.URL.createObjectURL(blob);

有趣的是,这个解决方案只适用于“blob”。正如您在其他答案中看到的那样,有些人只是使用 blob,但没有解释为什么以及如何创建它。正如您在 Mozilla developer documentation 中所读到的,您需要一个文件、媒体资源或 blob 才能使函数“createObjectURL()”工作。问题是您的 http-response 可能不是其中的任何一个。因此,您必须做的第一件事是将响应转换为 blob。这就是第一行的作用。然后,您可以将“createObjectURL”与新创建的 blob 一起使用。如果您单击该链接,您的浏览器将打开一个文件保存对话框,您可以保存您的数据。显然,您可能无法为要下载的文件定义一个固定的文件名。然后你必须让你的回答更复杂,就像卢克的回答一样。

并且不要忘记释放内存,尤其是在处理大文件时。有关更多示例和信息,您可以查看 the details of the JS blob object


谢谢!但应该是:revokeObjectURL() window.URL.revokeObjectURL(a.href);
我正在返回一个 zip 文件,但是当我使用此方法时,我的 zip 文件无效。我必须从 ajax 调用中删除 dataType 才能使其工作。对于 blob 创建,我使用了您在上面使用的选项 application/zip,并尝试将其完全删除。
@斯科特谢谢。我改变了我的代码。
M
Mike S

通过 AJAX 接收文件后如何下载文件

文件创建时间长需要显示PRELOADER时很方便

提交 Web 表单时的示例:

<script>
$(function () {
    $('form').submit(function () {
        $('#loader').show();
        $.ajax({
            url: $(this).attr('action'),
            data: $(this).serialize(),
            dataType: 'binary',
            xhrFields: {
                'responseType': 'blob'
            },
            success: function(data, status, xhr) {
                $('#loader').hide();
                // if(data.type.indexOf('text/html') != -1){//If instead of a file you get an error page
                //     var reader = new FileReader();
                //     reader.readAsText(data);
                //     reader.onload = function() {alert(reader.result);};
                //     return;
                // }
                var link = document.createElement('a'),
                    filename = 'file.xlsx';
                // if(xhr.getResponseHeader('Content-Disposition')){//filename 
                //     filename = xhr.getResponseHeader('Content-Disposition');
                //     filename=filename.match(/filename="(.*?)"/)[1];
                //     filename=decodeURIComponent(escape(filename));
                // }
                link.href = URL.createObjectURL(data);
                link.download = filename;
                link.click();
            }
        });
        return false;
    });
});
</script>

注释掉可选功能以简化示例。

无需在服务器上创建临时文件。

在 jQuery v2.2.4 上可以。老版本会报错:

Uncaught DOMException: Failed to read the 'responseText' property from 'XMLHttpRequest': The value is only accessible if the object's 'responseType' is '' or 'text' (was 'blob').

要从 Content-Disposition 获取文件名,此匹配项对我有用:filename.match(/filename=(.*)/)[1](不带双引号或问号)- regex101.com/r/2AsD4y/2。但是,您的解决方案是经过大量搜索后唯一有效的解决方案。
这是另一种获取文件名的更懒惰的方法:) npmjs.com/package/content-disposition
W
Wai Ha Lee
function downloadURI(uri, name) 
{
    var link = document.createElement("a");
    link.download = name;
    link.href = uri;
    link.click();
}

你能解释一下你的答案吗?这将帮助其他人了解您所做的事情,以便他们可以将您的技术应用于他们的情况。
只是一个警告:Safari 和 IE 不支持 download 属性,因此您的文件最终将具有名称“未知”
k
kyakya

我尝试下载 CSV 文件,然后在下载完成后执行某些操作。所以我需要实现一个合适的 callback 函数。

使用 window.location="..." 不是一个好主意,因为我在完成下载后无法操作该程序。像这样的东西,改变标题所以这不是一个好主意。

fetch 是一个不错的选择,但 it cannot support IE 11。并且window.URL.createObjectURL不支持IE 11。您可以参考this

这是我的代码,它类似于 Shahrukh Alam 的代码。但是您应该注意 window.URL.createObjectURL 可能会造成内存泄漏。您可以参考this。当响应到达时,数据将被存储到浏览器的内存中。因此,在您单击 a 链接之前,该文件已下载。这意味着您可以在下载后进行任何操作。

$.ajax({
    url: 'your download url',
    type: 'GET',
}).done(function (data, textStatus, request) {
    // csv => Blob
    var blob = new Blob([data]);

    // the file name from server.
    var fileName = request.getResponseHeader('fileName');

    if (window.navigator && window.navigator.msSaveOrOpenBlob) { // for IE
    window.navigator.msSaveOrOpenBlob(blob, fileName);
    } else { // for others
    var url = window.URL.createObjectURL(blob);
    const a = document.createElement('a');
    a.style.display = 'none';
    a.href = url;
    a.download = fileName;
    document.body.appendChild(a);
    a.click();
    window.URL.revokeObjectURL(url);

    //Do something after download 
    ...

    }
}).then(after_download)
}

c
cheb1k4

在上面的答案中添加更多内容以下载文件

下面是一些生成字节数组的java spring代码

@RequestMapping(value = "/downloadReport", method = { RequestMethod.POST })
    public ResponseEntity<byte[]> downloadReport(
            @RequestBody final SomeObejct obj, HttpServletResponse response) throws Exception {

        OutputStream out = new ByteArrayOutputStream();
        // write something to output stream
        HttpHeaders respHeaders = new HttpHeaders();
        respHeaders.setContentType(MediaType.APPLICATION_OCTET_STREAM);
        respHeaders.add("X-File-Name", name);
        ByteArrayOutputStream bos = (ByteArrayOutputStream) out;
        return new ResponseEntity<byte[]>(bos.toByteArray(), respHeaders, HttpStatus.CREATED);
    }

现在在使用 FileSaver.js 的 javascript 代码中,可以使用以下代码下载文件

var json=angular.toJson("somejsobject");
var url=apiEndPoint+'some url';
var xhr = new XMLHttpRequest();
//headers('X-File-Name')
xhr.onreadystatechange = function() {
    if (this.readyState == 4 && this.status == 201) {
        var res = this.response;
        var fileName=this.getResponseHeader('X-File-Name');
        var data = new Blob([res]);
        saveAs(data, fileName); //this from FileSaver.js
    }
}    
xhr.open('POST', url);
xhr.setRequestHeader('Authorization','Bearer ' + token);
xhr.setRequestHeader('Content-Type', 'application/json');
xhr.responseType = 'arraybuffer';
xhr.send(json);

以上将下载文件


a
aarkerio

在 Rails 中,我这样做:

function download_file(file_id) {
  let url       = '/files/' + file_id + '/download_file';
    $.ajax({
    type: 'GET',
    url: url,
    processData: false,
    success: function (data) {
       window.location = url;
    },
    error: function (xhr) {
     console.log(' Error:  >>>> ' + JSON.stringify(xhr));
    }
   });
 }

诀窍是 window.location 部分。控制器的方法如下所示:

# GET /files/{:id}/download_file/
def download_file
    send_file(@file.file,
          :disposition => 'attachment',
          :url_based_filename => false)
end

快速提问,这不会生成两次文件吗?一旦您发送 ajax 请求。然后,您也将页面重定向到相同的 URL。我们怎样才能消除它?
不是我的情况。不过我只在 Chrome 上测试过。
正如 coderhs 已经正确声明的那样,该操作被调用了两次。
我也被叫了两次。
A
Andrew Koster

使用 window.open https://developer.mozilla.org/en-US/docs/Web/API/Window/open

例如,您可以将这行代码放在点击处理程序中:

window.open('/file.txt', '_blank');

它将打开一个新选项卡(由于“_blank”窗口名称),该选项卡将打开 URL。

你的服务器端代码也应该是这样的:

res.set('Content-Disposition', 'attachment; filename=file.txt');

这样,浏览器应该提示用户将文件保存到磁盘,而不是仅仅向他们显示文件。它还会自动关闭刚刚打开的选项卡。


B
Bruno Ribeiro

HTML 代码:

<button type="button" id="GetFile">Get File!</button>

jQuery 代码:

$('#GetFile').on('click', function () {
    $.ajax({
        url: 'https://s3-us-west-2.amazonaws.com/s.cdpn.io/172905/test.pdf',
        method: 'GET',
        xhrFields: {
            responseType: 'blob'
        },
        success: function (data) {
            var a = document.createElement('a');
            var url = window.URL.createObjectURL(data);
            a.href = url;
            a.download = 'myfile.pdf';
            document.body.append(a);
            a.click();
            a.remove();
            window.URL.revokeObjectURL(url);
        }
    });
});

仅代码的答案应该至少有一个解释代码如何工作以及它为什么回答问题的描述。
它给了我-> VM2821:81 Uncaught TypeError: Failed to execute 'createObjectURL' on 'URL': Overload resolution failed
Y
Yannick Richard

好的,这是使用 MVC 时的工作代码,您从控制器获取文件

假设你有你的字节数组声明和填充,你唯一需要做的就是使用 File 函数(使用 System.Web.Mvc)

byte[] bytes = .... insert your bytes in the array
return File(bytes, System.Net.Mime.MediaTypeNames.Application.Octet, "nameoffile.exe");

然后,在同一个控制器中,添加这两个功能

protected override void OnResultExecuting(ResultExecutingContext context)
    {
        CheckAndHandleFileResult(context);

        base.OnResultExecuting(context);
    }

    private const string FILE_DOWNLOAD_COOKIE_NAME = "fileDownload";

    /// <summary>
    /// If the current response is a FileResult (an MVC base class for files) then write a
    /// cookie to inform jquery.fileDownload that a successful file download has occured
    /// </summary>
    /// <param name="context"></param>
    private void CheckAndHandleFileResult(ResultExecutingContext context)
    {
        if (context.Result is FileResult)
            //jquery.fileDownload uses this cookie to determine that a file download has completed successfully
            Response.SetCookie(new HttpCookie(FILE_DOWNLOAD_COOKIE_NAME, "true") { Path = "/" });
        else
            //ensure that the cookie is removed in case someone did a file download without using jquery.fileDownload
            if (Request.Cookies[FILE_DOWNLOAD_COOKIE_NAME] != null)
                Response.Cookies[FILE_DOWNLOAD_COOKIE_NAME].Expires = DateTime.Now.AddYears(-1);
    }

然后你就可以调用你的控制器下载并获得“成功”或“失败”回调

$.fileDownload(mvcUrl('name of the controller'), {
            httpMethod: 'POST',
            successCallback: function (url) {
            //insert success code

            },
            failCallback: function (html, url) {
            //insert fail code
            }
        });

K
Kit Ramos

我找到了一个修复,虽然它实际上并没有使用 ajax,但它确实允许您使用 javascript 调用来请求下载,然后在下载实际开始时获得回调。如果链接运行服务器端脚本,在发送文件之前需要一点时间来编写文件,我发现这很有帮助。所以你可以提醒他们它正在处理,然后当它最终发送文件时删除该处理通知。这就是为什么我想尝试通过 ajax 加载文件的原因,这样我就可以在请求文件时发生一个事件,而在它实际开始下载时发生另一个事件。

头版的js

function expdone()
{
    document.getElementById('exportdiv').style.display='none';
}
function expgo()
{
   document.getElementById('exportdiv').style.display='block';
   document.getElementById('exportif').src='test2.php?arguments=data';
}

内嵌框架

<div id="exportdiv" style="display:none;">
<img src="loader.gif"><br><h1>Generating Report</h1>
<iframe id="exportif" src="" style="width: 1px;height: 1px; border:0px;"></iframe>
</div>

然后是另一个文件:

<!DOCTYPE html>
<html>
<head>
<script>
function expdone()
{
    window.parent.expdone();
}
</script>
</head>
<body>
<iframe id="exportif" src="<?php echo "http://10.192.37.211/npdtracker/exportthismonth.php?arguments=".$_GET["arguments"]; ?>"></iframe>
<script>document.getElementById('exportif').onload= expdone;</script>
</body></html>

我认为有一种方法可以使用 js 读取获取数据,因此不需要 php。但我不知道它,我使用的服务器支持 php,所以这对我有用。以为我会分享它以防它对任何人有帮助。


P
Pierre

如果服务器在响应中写回文件(包括 cookie,如果您使用它们来确定文件下载是否开始),只需创建一个包含值的表单并提交它:

function ajaxPostDownload(url, data) {
    var $form;
    if (($form = $('#download_form')).length === 0) {
        $form = $("<form id='download_form'" + " style='display: none; width: 1px; height: 1px; position: absolute; top: -10000px' method='POST' action='" + url + "'></form>");
        $form.appendTo("body");
    }
    //Clear the form fields
    $form.html("");
    //Create new form fields
    Object.keys(data).forEach(function (key) {
        $form.append("<input type='hidden' name='" + key + "' value='" + data[key] + "'>");
    });
    //Submit the form post
    $form.submit();
}

用法:

ajaxPostDownload('/fileController/ExportFile', {
    DownloadToken: 'newDownloadToken',
    Name: $txtName.val(),
    Type: $txtType.val()
});

控制器方法:

[HttpPost]
public FileResult ExportFile(string DownloadToken, string Name, string Type)
{
    //Set DownloadToken Cookie.
    Response.SetCookie(new HttpCookie("downloadToken", DownloadToken)
    {
        Expires = DateTime.UtcNow.AddDays(1),
        Secure = false
    });

    using (var output = new MemoryStream())
    {
        //get File
        return File(output.ToArray(), "application/vnd.ms-excel", "NewFile.xls");
    }
}

A
Alireza Fattahi

如果您想使用 jQuery File Download ,请注意 IE 的这一点。您需要重置响应,否则将无法下载

    //The IE will only work if you reset response
    getServletResponse().reset();
    //The jquery.fileDownload needs a cookie be set
    getServletResponse().setHeader("Set-Cookie", "fileDownload=true; path=/");
    //Do the reset of your action create InputStream and return

您的操作可以实现 ServletResponseAware 以访问 getServletResponse()


A
Aman Srivastava

可以肯定的是,你不能通过 Ajax 调用来做到这一点。

但是,有一种解决方法。

脚步 :

如果您使用 form.submit() 下载文件,您可以做的是:

创建从客户端到服务器的 ajax 调用,并将文件流存储在会话中。从服务器返回“成功”后,调用您的 form.submit() 以流式传输存储在会话中的文件流。

如果您想在制作 form.submit() 后决定是否需要下载文件,这将很有帮助,例如:在 form.submit() 上,可能会在服务器端发生异常,而不是崩溃时,您可能需要在客户端显示自定义消息,在这种情况下,此实现可能会有所帮助。


n
netluke

还有另一种解决方案可以在 ajax 中下载网页。但我指的是必须首先处理然后下载的页面。

首先,您需要将页面处理与结果下载分开。

1) ajax 调用中只进行页面计算。

$.post("CalculusPage.php", { calculusFunction: true, ID: 29, data1: "a", data2: "b" },

       function(data, status) 
       {
            if (status == "success") 
            {
                /* 2) In the answer the page that uses the previous calculations is downloaded. For example, this can be a page that prints the results of a table calculated in the ajax call. */
                window.location.href = DownloadPage.php+"?ID="+29;
            }               
       }
);

// For example: in the CalculusPage.php

    if ( !empty($_POST["calculusFunction"]) ) 
    {
        $ID = $_POST["ID"];

        $query = "INSERT INTO ExamplePage (data1, data2) VALUES ('".$_POST["data1"]."', '".$_POST["data2"]."') WHERE id = ".$ID;
        ...
    }

// For example: in the DownloadPage.php

    $ID = $_GET["ID"];

    $sede = "SELECT * FROM ExamplePage WHERE id = ".$ID;
    ...

    $filename="Export_Data.xls";
    header("Content-Type: application/vnd.ms-excel");
    header("Content-Disposition: inline; filename=$filename");

    ...

我希望这个解决方案对许多人有用,就像对我一样。


M
Marinpietri

这在任何浏览器中都可以正常工作(我使用的是 asp.net core)

函数 onDownload() { const api = '@Url.Action("myaction", "mycontroller")'; var form = new FormData(document.getElementById('form1')); fetch(api, { body: form, method: "POST"}) .then(resp => resp.blob()) .then(blob => { const url = window.URL.createObjectURL(blob); $(' #linkdownload').attr('download', 'Attachement.zip'); $('#linkdownload').attr("href", url); $('#linkdownload') .fadeIn(3000, function() { }); }) .catch(() => alert('发生错误')); } 点击下载附件

        function onDownload() {
            const api = '@Url.Action("myaction", "mycontroller")'; 
            //form1 is your id form, and to get data content of form
            var form = new FormData(document.getElementById('form1'));

            fetch(api, { body: form, method: "POST"})
                .then(resp => resp.blob())
                .then(blob => {
                    const url = window.URL.createObjectURL(blob);
                    $('#linkdownload').attr('download', 'Attachments.zip');
                    $('#linkdownload').attr("href", url);
                    $('#linkdownload')
                        .fadeIn(3000,
                            function() {

                            });
                })
                .catch(() => alert('An error occurred'));                 

        }

S
Saghachi

我尝试了 Ajax 和 HttpRequest 方法来获取我的结果下载文件,但我失败了,最后我使用以下步骤解决了我的问题:

在我的 html 代码中实现了一个简单的隐藏表单:

<form method="post" id="post_form" style="display:none" action="amin.php" >
    <input type="hidden" name="action" value="export_xlsx" />
    <input type="hidden" name="post_form_data" value="" />
</form>

带有“action”名称的输入用于在我的 php 代码中调用函数,带有“post_form_data”名称的输入用于发送无法使用 GET 发送的表的长数据。将此数据编码为 json,并将 json 放入输入中:

var list = new Array();
    $('#table_name tr').each(function() {
        var row = new Array();
        $(this).find('td').each(function() {
            row.push($(this).text());
        });
        list.push(row);
    });
list    = JSON.stringify(list);

$("input[name=post_form_data]").val(list);

现在,表单已经准备好输入我想要的值,只需要触发提交。

document.getElementById('post_form').submit();

并做了!虽然我的结果是一个文件(对我来说是 xlsx 文件),但页面不会被重定向,并且文件会立即在最后一页开始下载,因此无需使用 iframe 或 window.open 等。

如果您尝试做这样的事情,这应该是一个简单的技巧😉。


E
Eerik Sven Puudist

我在这个问题上挣扎了很长时间。最后,一个优雅的外部库建议 here 帮助了我。