在做需求过程中我们大概率会遇到在浏览器中下载文件的需求
第一种是通过 window 对象的 open 方法进行操作,将文件 url 直接在浏览器中打开即可下
window.open(url)
第二种是通过 a 标签,设置 href 为 url 值,点击 a 标签即可完成下载。
<a href="url" />
上面两种文件下载方式都会存在一个问题,就是 pdf 文件会直接在浏览器中打开而不是直接下载
解决方案
这种需求的解决方式就是将PDF文件的 MIME type
改为 application/octet-stream
并加入 Content-Disposition:attachment header
,原本的 pdf 文件 MIME type
为 application/pdf
,浏览器识别到这个 type 之后会自动在浏览器打开,所以说我们在这里修改 type 即可。
修改的方法有两种,一种是在后端进行修改,上传文件或者返回文件的时候进行操作,但是绝大多数情况下文件都是存储到 cdn 服务器中的,后端也不方便对其进行操作,这个时候就需要前端来修改了。
fetch(url, {
method: 'get',
responseType: 'arraybuffer',
}).then(res => {
if (res.status !== 200) {
return res.json()
}
return res.arrayBuffer()
}).then(blobRes => {
// 生成 Blob 对象,设置 type 等信息
const e = new Blob([blobRes], {
type: 'application/octet-stream',
'Content-Disposition':'attachment'
})
// 将 Blob 对象转为 url
const link = window.URL.createObjectURL(e)
let a = document.createElement('a');
a.href = link;
a.download = '文件名称';
a.click();
}).catch(err => {
console.error(err)
})