我正在使用Express构建NodeJS API
,在其中创建POST
时,它将根据请求的主体生成一个TAR
文件。
问题:
当端点是POST
时,我可以访问请求的正文,并且看起来可以使用它来处理。但是,据我所知,我无法从中查看/使用/测试压缩文件。
当端点为GET
时,我无权访问请求的主体(据我所知),但是我可以在浏览器中查询URL并获取压缩文件。
我基本上想解决“我所能说的”之一。到目前为止,这是我的相关代码:
const fs = require('fs');
const serverless = require('serverless-http');
const archiver = require('archiver');
const express = require('express');
const app = express();
const util = require('util');
app.use(express.json());
app.post('/', function(req, res) {
var filename = 'export.tar';
var output = fs.createWriteStream('/tmp/' + filename);
output.on('close', function() {
res.download('/tmp/' + filename, filename);
});
var archive = archiver('tar');
archive.pipe(output);
// This part does not work when this is a GET request.
// The log works perfectly in a POST request, but I can't get the TAR file from the command line.
res.req.body.files.forEach(file => {
archive.append(file.content, { name: file.name });
console.log(`Appending ${file.name} file: ${JSON.stringify(file, null, 2)}`);
});
// This part is dummy data that works with a GET request when I go to the URL in the browser
archive.append(
"<h1>Hello, World!</h1>",
{ name: 'index.html' }
);
archive.finalize();
});
我发送给此的示例JSON正文数据:
{
"title": "Sample Title",
"files": [
{
"name": "index.html",
"content": "<p>Hello, World!</p>"
},
{
"name": "README.md",
"content": "# Hello, World!"
}
]
}
我只应该发送JSON
并根据SON
获取TAR。 POST
的方法是否错误?如果我使用GET
,应该进行哪些更改,以便可以使用该JSON
数据?有没有一种方法可以“菊花链式”请求(这似乎很不干净,但也许可以解决)?
答案 0 :(得分:1)
尝试一下:
app.post('/', (req, res) => {
const filename = 'export.tar';
const archive = archiver('tar', {});
archive.on('warning', (err) => {
console.log(`WARN -> ${err}`);
});
archive.on('error', (err) => {
console.log(`ERROR -> ${err}`);
});
const files = req.body.files || [];
for (const file of files) {
archive.append(file.content, { name: file.name });
console.log(`Appending ${file.name} file: ${JSON.stringify(file, null, 2)}`);
}
try {
if (files.length > 0) {
archive.pipe(res);
archive.finalize();
return res.attachment(filename);
} else {
return res.send({ error: 'No files to be downloaded' });
}
} catch (e) {
return res.send({ error: e.toString() });
}
});