NodeJS Express js body解析器不工作,req.body未定义?

ojsjcaue  于 2023-06-05  发布在  Node.js
关注(0)|答案(2)|浏览(186)

我使用Express在我的节点服务器中有以下内容(截断到重要部分):

var app = express.createServer();

app.all(/test/,function(req,res){
    console.log(req.headers);
    console.log(req.body);
    res.send("");
});

function appStart(cobrands){
    app.configure(function(){
        app.use(express.bodyParser());
        app.use(express.cookieParser());

        app.use('/min',express.static('../min'));
        app.use('/js',express.static('../js'));
        app.use('/css',express.static('../css'));
        app.use('/img',express.static('../img'));
    });
    app.listen(8080);
}

然后我有一个简单的表单,它调用localhost:8080,如下所示:

<form action="http://localhost:8080/test" method="post">
    <input type="hidden" name="test" value="testing"/>
    <input type="submit" name="submit" value="to node"/>
</form>

但是express.bodyParser似乎没有做任何事情,req.body也是未定义的。下面是console.log s的输出:

// req.headers
{ host: 'localhost:8080',
  'user-agent': 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_7_1) AppleWebKit/534.48.3 (KHTML, like Gecko) Version/5.1 Safari/534.48.3',
  'content-length': '27',
  accept: 'text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8',
  origin: 'file://',
  'content-type': 'application/x-www-form-urlencoded',
  'accept-language': 'en-us',
  'accept-encoding': 'gzip, deflate',
  cookie: '',
  connection: 'keep-alive' }
// req.body
undefined

注意:content-type被正确地定义为application/x-www-form-urlencoded,因为它应该让bodyParser工作,我已经通过弹出Safari中的调试工具并验证表单数据存在来验证它。

zzwlnbp8

zzwlnbp81#

http://expressjs.com/guide.html#configuration
注意app.router的使用,它可以(可选地)用于挂载应用程序路由,否则第一次调用app.get()、app.post()等将挂载路由。
实际情况是,在添加任何其他中间件之前调用app.all()。这样做可以有效地将app.router放在所有其他中间件的前面,从而使它们永远不会被用于在路由内结束的请求。
安装应用程序路由与执行app.use(app.router);非常相似。
最后,你的堆栈看起来是这样的:

app.use(app.router); // Contains your /test/ route
app.use(express.bodyParser());
app.use(express.cookieParser());
app.use('/min',express.static('../min'));
app.use('/js',express.static('../js'));
app.use('/css',express.static('../css'));
app.use('/img',express.static('../img'));

tl;dr在调用app.configure()和app.listen()之间移动路由。

jrcvhitl

jrcvhitl2#

我也有类似的问题,我发现这是因为express.bodyParser()被破坏/丢失了。我使用了connect的bodyParser,它工作了:

app.use(require('connect').bodyParser());

相关问题