我有以下Node.js代码:
var express = require('express');
var app = express.createServer(express.logger());
app.use(express.bodyParser());
app.post('/', function(request, response) {
response.write(request.body.user);
response.end();
});
现在如果我POST一些东西:
curl -d user=Someone -H Accept:application/json --url http://localhost:5000
我得到了某人。现在,如果我想要得到完整的请求体呢?我试着做response.write(request.body),但Node.js抛出一个异常,说“第一个参数必须是一个字符串或Buffer”,然后进入一个“无限循环”,异常说“发送后不能设置标头”;这也是真的,即使我做var reqBody = request.body;然后写入response.write(reqBody)。
这里的问题是什么?
另外,我可以只得到原始请求而不使用express.bodyParser()吗?
接受的答案只适用于与JSON格式兼容的主体。一般来说,主体可以使用
app.use(
Express.raw({
inflate: true,
limit: '50mb',
type: () => true, // this matches all content types
})
);
就像贴在这里的。要求的事情。body具有Buffer类型,可以转换为所需的格式。
例如,通过:
let body = req.body.toString()
或通过以下方式转换成JSON:
let body = req.body.toJSON();
如果你懒得阅读大量的帖子数据。
您可以简单地粘贴下面的行
读取json。
下面是对于TypeScript,类似的操作也可以用于JS。
app.ts
import bodyParser from "body-parser";
// support application/json type post data
this.app.use(bodyParser.json());
// support application/x-www-form-urlencoded post data
this.app.use(bodyParser.urlencoded({ extended: false }));
在接收POST调用的任意控制器中使用如下所示
userController.ts
public async POSTUser(_req: Request, _res: Response) {
try {
const onRecord = <UserModel>_req.body;
/* Your business logic */
_res.status(201).send("User Created");
}
else{
_res.status(500).send("Server error");
}
};
_req。body应该解析你的json数据到你的TS模型。