要求导出excel文件。当点击下载模板或下载反馈结果,axios发起后端接口请求,返回的数据获取 response 时出现乱码,或者火狐浏览器下面下载的时候,文件不识别,或者加了其他的文件名,
这里面采取了两条思路:
1.其他浏览器直接点a标签打开
2.火狐浏览器采取文件流的下载方式,axios封装
1、通过 url 下载
即后端提供文件的地址,直接使用浏览器去下载
通过 window.location.href = 文件路径 下载
window.location.href = `${location.origin}/operation/ruleImport/template`
通过 window.open(url, '_blank')
window.open(`${location.origin}/operation/ruleImport/template`)
这两种使用方法的不同:
window.location:当前页跳转,也就是重新定位当前页;只能在网站中打开本网站的网页。
window.open:在新窗口中打开链接;可以在网站上打开另外一个网站的地址。
2、通过 a 标签的 download 属性结合 blob 构造函数下载
a 标签的 download 属性是 HTML5 标准新增的,作用是触发浏览器的下载操作而不是导航到下载的url,这个属性可以设置下载时使用新的文件名称。
前端创建超链接,接收后端的文件流:
axios.get(`/operation/ruleImport/template`, {
responseType: "blob" //服务器响应的数据类型,可以是 'arraybuffer', 'blob', 'document', 'json', 'text', 'stream',默认是'json'
})
.then(res =>
if(!res) return
const blob = new Blob([res.data], { type: 'application/vnd.ms-excel' }) // 构造一个blob对象来处理数据,并设置文件类型
if (window.navigator.msSaveOrOpenBlob) { //兼容IE10
navigator.msSaveBlob(blob, this.filename)
} else {
const href = URL.createObjectURL(blob) //创建新的URL表示指定的blob对象
const a = document.createElement('a') //创建a标签
a.style.display = 'none'
a.href = href // 指定下载链接
a.download = this.filename //指定下载文件名
a.click() //触发下载
URL.revokeObjectURL(a.href) //释放URL对象
}
// 这里也可以不创建a链接,直接window.open(href)也能下载
})
.catch(err => {
console.log(err)
})
注:请求后台接口时要在请求头上加{responseType: 'blob'};download 设置文件名时,可以直接设置扩展名,如果没有设置浏览器将自动检测正确的文件扩展名并添加到文件。
——————————————————————————————————————————
自己在vue项目中用到的方法,可做参考
// 下载
handleDowload (id) {
var userAgent = navigator.userAgent
if (userAgent.indexOf('Firefox') > -1) {
console.log(userAgent)
axios({ // 用axios发送post请求
method: 'get',
url: process.env.VUE_APP_BASE_API + '/print/export_excel' + `?pe_id=${id}&&download=all`, // 请求地址
responseType: 'blob', // 表明返回服务器返回的数据类型
headers: {
'Content-Type': 'application/json'
}
}).then((res) => {
const stream = res.data // 后端用stream返回Excel文件
const blob = new Blob([stream])
// 前端获取业务码,成功执行正常业务
const downloadElement = document.createElement('a')
const href = window.URL.createObjectURL(blob) // 创建下载的链接
downloadElement.href = href
downloadElement.download = '付印单.xlsx'// 下载后文件名
document.body.appendChild(downloadElement)
downloadElement.click() // 点击下载
document.body.removeChild(downloadElement) // 下载完成移除元素
window.URL.revokeObjectURL(href) // 释放掉blob对象
})
} else {
this.urlForDownloadall = process.env.VUE_APP_BASE_API + '/print/export_excel' + `?pe_id=${id}&&download=all`
window.location.href = this.urlForDownloadall
}
}