很抱歉,如果这个问题听起来很简单",但我无法让body-parser
处理这个非常简单的例子:
"use strict";
const PORT = 3000;
const express = require("express");
const bodyParser = require("body-parser");
const app = express();
app.post("/api/login", (req, res) => {
if (!req.body) return res.sendStatus(400);
res.send("welcome, " + req.body.username);
});
app.use(express.json());
app.use(bodyParser.json());
console.log(`Listen on port ${PORT}`);
app.listen(PORT);
尝试命令行:
curl -H "Content-Type: application/json" -X POST -d '{"username":"xyz","password":"xyz"}' http://localhost:3000/api/login
它始终以400响应!我尝试了很多配置,但没有找到解决方案。
我确定它非常简单,因为似乎没有人有同样的错误,所以我错过了一些东西,但不知道是什么!
表达:4.16.2
body-parser:1.18.2
感谢您的帮助!
编辑:解决方案是我需要将中间件放在路由定义之前。我的情况是,body-parser
不需要我可以使用express.jon()
内置API。
"use strict";
const PORT = 3000;
const express = require("express");
const app = express();
app.use(express.json());
app.post("/api/login", (req, res) => {
if (!req.body) return res.sendStatus(400);
res.send("welcome, " + req.body.username);
});
console.log(`Listen on port ${PORT}`);
app.listen(PORT);
答案 0 :(得分:4)
您在路由定义之后将bodyparser安装为中间件。通常,您希望在路由之前定义预路由中间件或将路由分离到不同的文件。
只需按如下方式重新安排您的代码:
'use strict'
const PORT = 3000
const express = require('express')
const bodyParser = require('body-parser')
const app = express()
app.use(bodyParser.json()) // note: this is before the route
app.post('/api/login', (req, res) => {
console.log(req.body)
if (!req.body) return res.sendStatus(400)
res.send('welcome, ' + req.body.username)
})
app.use(express.json())
console.log(`Listen on port ${PORT}`)
app.listen(PORT)
如果您希望在单独的文件中使用bodyparser作为中间件,通常使用如下:
routes/someroute.js
const bodyParser = require('body-parser')
const jsonParser = bodyParser.json()
module.exports = (app) => {
app.post('/a/route', jsonParser, (req,res) => {
...
})
}