Res.download() 使用 html 表单提交,但不使用 Axios post 调用

2023-12-14

我正在编写一个小型应用程序,它将来自 React 应用程序的信息提交到 Express 服务器的“/download” API,然后将新文件写入本地文件系统,并使用 Express res.download 在客户端下载新创建的文件() 在 fs.writeFile() 回调中。

我一直使用常规的 html 表单提交来发布数据,但由于复杂性的增加,我已改用 Axios,但它不再起作用。

奇怪的是,只有客户端的下载似乎停止了。写入文件工作正常,所有控制台日志记录都是相同的(“文件已下载!”日志如下)。当我切换回表单提交时,它会继续工作,因此唯一的更改是使用 Axios 发送发布请求。据我所知,一旦数据到达那里,两者之间不应该有任何区别,但我希望有人比我更深入地了解这一点。

除了在表单和 Axios post 请求之间进行测试之外,我还尝试将 Axios 请求的内容类型从“application/json”更改为“x-www-form-urlencoded”,认为将内容类型与什么匹配发送的表格可能就是答案

以下是相关应用程序的相关代码片段:

服务器.js(节点 JS)

app.post('/download', (req, res) => {
  console.log("Requst data");
  console.log(req.body.html);


  fs.writeFile("./dist/test.txt", res.body.test,
    (err) => {
      if(err) {
        return console.log(err);
      } else{
        console.log("The file was saved!");
      }

      let file = __dirname + '/text.txt';
      /*This is the issue, the file is not downloading client side for the Axios iteration below*/
      res.download(file,(err)=>{
        if(err){
          console.log(err);
        } else {
          console.log(file);
          /*This logs for both View.js iterations below*/
          console.log("File downloaded!");
        }
      });
    });
})

应用程序.js(反应)

handleSubmit(e){
    e.preventDefault();

    axios.post(`/download`, {test: "test"})
      .then(res => {
        console.log("REQUEST SENT");
      })
      .catch((error) => {
        console.log(error);
      });
}

render(){
      return(
        <div>
          <View handleSubmit={this.handleSubmit} />
        </div>
      )
}

View.js(反应)

这有效:

render(){
      return(
        <form action="/download" method="post">
            <input type="submit">
        </form>
      )
}

This doesn't在客户端启动下载,但其他方面工作正常:

render(){
      return(
        <form onSubmit={this.props.handleSubmit}>
            <input type="submit">
        </form>
      )
}

我没有收到任何错误,除了客户端的下载之外,一切似乎都工作正常。

预期结果是使用 Axios 在客户端下载文件,但事实并非如此。

更新:碰撞,没有得到任何牵引力


实际上,您可以通过 Ajax POST 请求下载文件,并进行一些 blob 操作。下面列出了示例代码,并附有解释注释:

handleSubmit(e){
  var req = new XMLHttpRequest();
  req.open('POST', '/download', true); // Open an async AJAX request.
  req.setRequestHeader('Content-Type', 'application/json'); // Send JSON due to the {test: "test"} in question
  req.responseType = 'blob'; // Define the expected data as blob
  req.onreadystatechange = function () {
    if (req.readyState === 4) {
      if (req.status === 200) { // When data is received successfully
        var data = req.response;
        var defaultFilename = 'default.pdf';
        // Or, you can get filename sent from backend through req.getResponseHeader('Content-Disposition')
        if (typeof window.navigator.msSaveBlob === 'function') {
          // If it is IE that support download blob directly.
          window.navigator.msSaveBlob(data, defaultFilename);
        } else {
          var blob = data;
          var link = document.createElement('a');
          link.href = window.URL.createObjectURL(blob);
          link.download = defaultFilename;

          document.body.appendChild(link);

          link.click(); // create an <a> element and simulate the click operation.
        }
      }
    }
  };
  req.send(JSON.stringify({test: 'test'}));
}

对于后端来说,没有什么特别的,只是一个简单的res.download陈述:

app.post('/download', function(req, res) {
  res.download('./example.pdf');
});

对于 axios,前端代码如下所示:

axios.post(`/download`, {test: "test"}, {responseType: 'blob'})
  .then(function(res) {
        ...
        var data = new Blob([res.data]);
        if (typeof window.navigator.msSaveBlob === 'function') {
          // If it is IE that support download blob directly.
          window.navigator.msSaveBlob(data, defaultFilename);
        } else {
          var blob = data;
          var link = document.createElement('a');
          link.href = window.URL.createObjectURL(blob);
          link.download = defaultFilename;

          document.body.appendChild(link);

          link.click(); // create an <a> element and simulate the click operation.
        }
  })
  .catch((error) => {
    console.log(error);
  });
本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有涉嫌抄袭侵权的内容,请联系:hwhale#tublm.com(使用前将#替换为@)

Res.download() 使用 html 表单提交,但不使用 Axios post 调用 的相关文章