13

我试图在我的节点应用程序中获取我为 ajax 帖子发送的值。使用这篇文章作为指导,我到目前为止有这个:

在节点中:

 var express = require('express');
 var app = express();

 var db = require('./db');

 app.get('/sender', function(req, res) {
    res.sendfile('public/send.html');
 });

 app.post('/send_save', function(req, res) {
  console.log(req.body.id)
  console.log(req.body.title);
  console.log(req.body.content);
  res.contentType('json');
  res.send({ some: JSON.stringify({response:'json'}) });
});

app.listen(3000);

在 AJAX 方面:

$('#submit').click(function() {
            alert('clicked')
            console.log($('#guid').val())
            console.log($('#page_title').val())
            console.log($('#page-content').val())
            $.ajax({
                url: "/send_save",
                type: "POST",
                dataType: "json",
                data: {
                    id: $('#guid').val(),
                    title: $('#page_title').val(),
                    content: $('#page-content').val()
                },
                contentType: "application/json",
                cache: false,
                timeout: 5000,
                complete: function() {
                  //called when complete
                  console.log('process complete');
                },

                success: function(data) {
                  console.log(data);
                  console.log('process sucess');
               },

                error: function() {
                  console.log('process error');
                },
              });
        })

这个问题是我不能 req.body.id (以及任何其他值,如标题或内容),我在节点中收到此错误:

 TypeError: Cannot read property 'id' of undefined

如果我评论这些调用,则 ajax 是成功的。我搞不清楚了。我是不是忘记了什么?

4

2 回答 2

9

您在那里拥有的req对象没有body属性。看看http://expressjs.com/api.html#req.body

此属性是一个包含已解析请求正文的对象。此功能由 bodyParser() 中间件提供,尽管其他正文解析中间件也可能遵循此约定。当使用 bodyParser() 时,此属性默认为 {}。

因此,您需要像这样将 bodyParser 中间件添加到您的 express webapp 中:

var app = express();
app.use(express.bodyParser());
于 2013-02-23T15:42:47.713 回答
8

按照thejh的建议,通过包含bodyParser中间件确实解决了这个问题。

只需确保访问该答案中提供的 url 以访问 Express 更新规范:http ://expressjs.com/api.html#req.body

文档提供了这个例子(Express 4.x):

var app = require('express')();
var bodyParser = require('body-parser');
var multer = require('multer'); 

app.use(bodyParser.json()); // for parsing application/json
app.use(bodyParser.urlencoded({ extended: true })); // for parsing application/x-www-form-urlencoded
app.use(multer()); // for parsing multipart/form-data

app.post('/', function (req, res) {
  console.log(req.body);
  res.json(req.body);
})

为此,需要单独安装 body-parser 模块:

https://www.npmjs.com/package/body-parser

于 2015-07-27T15:45:26.087 回答