我有一个类似的请求来处理 csv 文件,我试图实现你的解决方案:它可以工作,但只要我将它与控制台日志一起使用。我试图将“记录”变量存储在一个名为“结果”的数组中,但我得到了一个空数组 [],并且在呈现这个空数组之后,我收到了 console.log 响应,其中显示了解析的 CSV 数据。
所以这似乎是同步的问题。我的意思是,处理 csv 文件需要一段时间。所以我试图压缩你的代码并将其转换为 Promise 然后执行它。所以,在执行了承诺之后,我的数组就可以使用了。
- 注意:我是初学者,所以它可能包含一些错误。到目前为止,它对我来说工作正常。
- 注意:我的 CSV 测试文件的内容是:
title, type, value, category
Loan, income, 1500, Others
Website Hosting, outcome, 50, Others
Ice cream, outcome, 3, Food
注意:与您的情况有一些不同:我从 rote '/import. 我正在使用 Insomnina Designer 应用程序发送一个多部分表单正文,其中包含一个名为 importFile 的文件
注意:我导入了与您使用的相同的库,并且还使用了中间件的概念
注意:在这种情况下,我只需要一个文件,所以我使用了 multer({dest: './upload'}).single('importFile')。它也可以用于 .any()。
注意:我使用的是打字稿,因此对于 JS,只需在一些变量声明后删除即可:@type,例如
注意:我留下了选项 1 - 仅使用数组和选项 2 - 使用对象。
const results: object[] = [];
becomes:
const results = [];
我们来看代码:
import { Router, Request, Response } from 'express';
import csv from 'csv-parse';
import multer from 'multer';
import fs from 'fs';
// used on option 2 due typescript
interface CSVTransactionDTO {
title: string;
value: number;
type: 'income' | 'outcome';
category: string;
}
app.post(
'/import', // route name
multer({ dest: './upload' }).single('importFile'), // middleware to download one file (csv)
async (request: Request, response: Response) => {//last middleware with CSV parsing with arrow function
const filePath = request.file.path;
let rowCounter = 0;
const results: string[] = [];// option 1
const newTransactions: CSVTransactionDTO[] = [];// option 2
function parseCSVPromise(): Promise<void> {
return new Promise((resolve, reject) => {
const ConfigCSV = {
// delimiter:';',//other delimiters different from default = ','
from_line: 2, // data starts here
trim: true, // ignore white spaces immediately around the delimiter (comma)
};
fs.createReadStream(filePath)
.pipe(csv(ConfigCSV))
.on('data', /* async */ row => {
rowCounter += 1;// counter of how many rows were processed
// console.log(data); // just test
results.push(row); // Option1 - The simplest way is to push a complete row
const [title, type, value, category] = row;// Option2, process it as an object
newTransactions.push({title, type, value, category});// Option2, process it as an object
})
.on('error', error => {
reject(error);
throw new Error('Fail to process CSV file');
})
.on('end', () => {
resolve();// ends the promise when CSV Parse send 'end' flag
});
});
}
await parseCSVPromise(); // now using the created promise - await finishing parsingCSV
console.log('option1', results);// option1
console.log('option2',newTransactions);// option2
return response.json({ resultsCounter, results }); // For testing only - interrupting the rote execution
// continue processing results and send it to dataBase...
//await fs.promises.unlink(filePath); // optionally you can delete the file parsed/processed
选项1响应:
[
[ 'Loan', 'income', '1500', 'Others' ],
[ 'Website Hosting', 'outcome', '50', 'Others' ],
[ 'Ice cream', 'outcome', '3', 'Food' ]
]
选项2响应:
[
{ title: 'Loan', type: 'income', value: '1500', category: 'Others' },
{ title: 'Website Hosting', type: 'outcome', value: '50', category: 'Others' },
{ title: 'Ice cream', type: 'outcome', value: '3', category: 'Food' }
]