我试图了解一个用node.js编写的简单服务器
var http = require('http');
var querystring = require('querystring');
http.createServer(function (req, res) {
switch(req.url) {
case '/form':
if (req.method == 'POST') {
console.log("[200] " + req.method + " to " + req.url);
var fullBody = '';
req.on('data', function(chunk) {
fullBody += chunk.toString();
});
req.on('end', function() {
res.writeHead(200, "OK", {'Content-Type': 'text/html'});
res.write('<html><head><title>Post data</title></head><body>');
res.write('<style>th, td {text-align:left; padding:5px; color:black}\n');
res.write('th {background-color:grey; color:white; min-width:10em}\n');
res.write('td {background-color:lightgrey}\n');
res.write('caption {font-weight:bold}</style>');
res.write('<table border="1"><caption>Form Data</caption>');
res.write('<tr><th>Name</th><th>Value</th>');
var dBody = querystring.parse(fullBody);
for (var prop in dBody) {
res.write("<tr><td>" + prop + "</td><td>" + dBody[prop] + "</td></tr>");
}
res.write('</table></body></html>');
res.end();
});
} else {
console.log("[405] " + req.method + " to " + req.url);
res.writeHead(405, "Method not supported", {'Content-Type': 'text/html'});
res.end('<html><head><title>405 - Method not supported</title></head><body>' +
'<h1>Method not supported.</h1></body></html>');
}
break;
default:
res.writeHead(404, "Not found", {'Content-Type': 'text/html'});
res.end('<html><head><title>404 - Not found</title></head><body>' +
'<h1>Not found.</h1></body></html>');
console.log("[404] " + req.method + " to " + req.url);
};
}).listen(8080);
函数req.on()
的作用是什么?例如,req.on('data',...)
和req.on('end',...)
?
这在https://nodejs.org/api/http.html中有解释吗?我想我可能会错过它。
如何将HTTP请求发送到服务器,以便执行case '/form': if (req.method == 'POST'){...}
中的部分?
具体来说,当使用curl
时,我应该给curl
提供哪些参数和选项?
如果使用firefox浏览器怎么办?
谢谢。
答案 0 :(得分:1)
req.on('data')意味着您的服务器正在从客户端接收数据,在附加到req.on('data')的回调中,您通常将数据连接起来,然后解析数据以供以后使用。一旦接收到全部数据,便会执行附加到req.on('end')的回调,在这里您可以根据接收到的数据进行所有业务逻辑,然后将响应发送回客户端
现在如何访问/ form URL?
通过POST或PUT请求发送数据时,两种常见格式(通过Content-Type标头指定)是:
您可以使用邮递员客户端或curl来访问/ form URL。
卷曲-
curl -H "Content-Type:application/x-www-form-urlencoded" \
-d "param1=value1¶m2=value2" \
http://localhost:8080/form
curl -H "Content-Type:application/json" \
-d '{"key1":"value1", "key2":"value2"}' \
http://localhost:8080/form
在您的代码中,您接受的是应用程序/ x-www-form-urlencoded,因此请选择第一个。