Ajax + Easy Excel 通过Blob实现导出excel
要使用Ajax和Easy Excel通过Blob实现导出Excel,你可以创建一个接口来生成Excel文件,并通过Ajax请求这个接口,然后处理返回的Blob数据以便在客户端下载文件。
后端代码示例(使用Node.js和Express):
const express = require('express');
const easyexcel = require('easyexcel');
const app = express();
const port = 3000;
app.get('/export', (req, res) => {
const filename = 'example.xlsx';
const sheetName = 'Sheet1';
const data = [
{ name: 'John', age: 30 },
{ name: 'Jane', age: 25 }
];
easyexcel.write(filename, sheetName, data).then(() => {
const filePath = `./${filename}`;
res.download(filePath); // Express内置方法,自动设置Content-Disposition响应头并传输文件
}).catch(err => {
console.error(err);
res.status(500).send('Server error');
});
});
app.listen(port, () => {
console.log(`Server listening at http://localhost:${port}`);
});
前端代码示例(使用jQuery):
$.ajax({
url: 'http://localhost:3000/export',
type: 'GET',
xhrFields: {
responseType: 'blob' // 指定响应类型为Blob
},
success: function(data) {
// 创建一个临时的URL指向Blob对象
const url = window.URL.createObjectURL(data);
// 创建一个a标签用于下载
const link = document.createElement('a');
link.href = url;
link.setAttribute('download', 'example.xlsx');
document.body.appendChild(link);
link.click();
// 清理临时的URL
window.URL.revokeObjectURL(url);
},
error: function() {
console.error('Error downloading the file');
}
});
确保你的Easy Excel库和依赖项已正确安装并配置在你的Node.js项目中,并且前端有权限通过Ajax请求到你的后端接口。
评论已关闭