Node.js: 使用 express 访问 JSON HTTP POST 请求的正文

Node.js: Access JSON body of HTTP POST request with express

我正在向我的 express Web 服务器发出一个 http post 请求,将虚拟数据发送为 json。它正确地接收到请求并可以发回 json 对象,但由于某种原因它无法访问 post 请求主体。

我正在使用此代码进行快递:

const express = require('express');
const app = express();
const port = 3000;

app.post('/test', (req, res) => {
  console.log(req.body);
  res.json({"some": "thing"});
});

app.listen(port, () => {
  console.log(`Listening at http://localhost:${port}`)
});

这是请求的代码:

const req = http.request({
    hostname: '127.0.0.1',
    port: 3000,
    path: '/test',
    method: 'POST',
    json: {
        url: "https://www.nothing.com",
        name: "hello"
    }
}, res => {
    console.log(`statusCode: ${res.statusCode}`)
  
    res.on('data', d => {
      process.stdout.write(d)
    })
  })
  
  req.on('error', error => {
    console.error(error)
  })
  
  req.end()

如您所见,我在本地 运行。客户端收到服务器发送的状态代码 200 和 json {"some": "thing"},但服务器从 req.body 收到“未定义”。我尝试使用:

headers: {
   'Content-Type': 'application/json'
}
body: JSON.stringify({
            url: "https://www.nothing.com",
            name: "hello"
        })

而不是直接在请求选项中使用json,但没有用。我什至尝试按照某人的建议使用 app.use(express.json());

有什么问题?

您必须添加 body-parser 中间件 http://expressjs.com/en/resources/middleware/body-parser.html

req.body empty on posts

显然我执行 post 请求的方式不正确,我不得不用 req.write() 在单独的行中发送正文,如下所示:

const http = require('http');
const data = JSON.stringify({ //<--- data to send as body
    url: "https://www.nothing.com",
    name: "hello"
});

const req = http.request({
    hostname: '127.0.0.1',
    port: 3000,
    path: '/test',
    method: 'POST',
    headers: {
        'Content-Type': 'application/json'
    }
}, res => {
    console.log(`statusCode: ${res.statusCode}`);
  
    res.on('data', d => {
      process.stdout.write(d);
    })
  })
  
  req.on('error', error => {
    console.error(error);
  })
  req.write(data); //<--- this line
  req.end();