在页面加载时,我在脚本标记中运行此javascript:
var xhttp = new XMLHttpRequest();
xhttp.open("POST", "http://lvh.me:1337", true);
xhttp.setRequestHeader('Content-Type', 'application/json; charset=UTF-8');
xhttp.send(JSON.stringify({hello:"goodbye"}));
然后节点脚本的代码是
var http = require('http');
http.createServer(function (request, response) {
response.writeHead(200, {
'Content-Type': 'text/plain',
"Access-Control-Allow-Origin": "*",
"Access-Control-Allow-Headers": "Origin, X-Requested-With, Content-Type, Accept"
});
console.log(request);
response.end("");
}).listen(1337);
但是在console.log中,我没有在任何地方看到我的{“hello”:“goodbye”}对象。如何访问此对象?
答案 0 :(得分:5)
createServer
docs告诉我们您提供的回调将由request
事件触发。 request
event docs告诉我们request
(第一个参数)是http.IncomingMessage
。这没有body
属性,但它实现了ReadableStream,您可以监听'data'
事件来收集数据:
// ES2015 (all of the below is supported in current NodeJS)
let body = '';
request.on('data', chunk => body += chunk);
request.on('end', () => console.log(JSON.parse(body)));
或
// ES5
var body = '';
request.on('data', function (chunk) {
body += chunk;
});
request.on('end', function(){
console.log(JSON.parse(body));
});
有很多http服务器实现可以为您抽象这个过程,并为您提供request.body
。 body-parser
是一个很好的例子,甚至会为你解析JSON。