使用Axios下载二进制文件

hgqdbh6s  于 2022-12-26  发布在  iOS
关注(0)|答案(4)|浏览(211)

例如,下载PDF文件:

axios.get('/file.pdf', {
      responseType: 'arraybuffer',
      headers: {
        'Accept': 'application/pdf'
      }
}).then(response => {
    const blob = new Blob([response.data], {
      type: 'application/pdf',
    });
    FileSaver.saveAs(blob, 'file.pdf');
});

下载文件的内容为:

[object Object]

这里有什么问题?为什么二进制数据不保存到文件?

knpiaxh1

knpiaxh11#

我能够创建一个可行的要点(不使用FileSaver)如下:

axios.get("http://my-server:8080/reports/my-sample-report/",
        {
            responseType: 'arraybuffer',
            headers: {
                'Content-Type': 'application/json',
                'Accept': 'application/pdf'
            }
        })
        .then((response) => {
            const url = window.URL.createObjectURL(new Blob([response.data]));
            const link = document.createElement('a');
            link.href = url;
            link.setAttribute('download', 'file.pdf'); //or any other extension
            document.body.appendChild(link);
            link.click();
        })
        .catch((error) => console.log(error));
eblbsuwk

eblbsuwk2#

我能够下载一个基于Nayab Siddiqui答案的tgz文件。

const fsPromises = require('fs').promises;
const axios = require('axios'); 

await axios.get('http://myServer/myFile.tgz',
        {
            responseType: 'arraybuffer', // Important
            headers: {
                'Content-Type': 'application/gzip'
            }
        })
        .then(async response => {
            await fsPromises.writeFile(__dirname + '/myFile.tgz', response.data, { encoding: 'binary' });
        })
        .catch(error => {
            console.log({ error });
        });
n7taea2i

n7taea2i3#

这种方法可能对将来寻找答案的人有帮助。

var axios = require("axios");
const fs = require("fs");

var config = {
  method: "get",
  url: YOUR_REQUEST_URL,
  responseType: "arraybuffer",
  headers: {
   //put your headers here if any required
  },
};

axios(config)
  .then(function (response) {
    fs.writeFileSync("/path/to/file", Buffer.from(response.data));
  })
  .catch(function (error) {
    console.log(error);
  });
anhgbhbe

anhgbhbe4#

看起来response.data只是一个普通的对象,Blob的第一个参数是“ArrayBuffer、ArrayBufferView、Blob或DOMString对象的数组”。
尝试将其 Package 为JSON.stringify

const blob = new Blob([JSON.stringify(response.data)]

那么它将满足DOMString要求。

相关问题