4

我正在尝试使用 AJAX 将数据发送到 Node.js 服务器,但一直遇到同样的问题,即接收。

这是客户端 JavaScript / AJAX 代码:

    var objects = [
        function() { return new XMLHttpRequest() },
        function() { return new ActiveXObject("MSxml2.XMLHHTP") },
        function() { return new ActiveXObject("MSxml3.XMLHHTP") },
        function() { return new ActiveXObject("Microsoft.XMLHTTP") }
    ];
    function XHRobject() {
        var xhr = false;
        for(var i=0; i < objects.length; i++) {
            try {
                xhr = objects[i]();
            }
            catch(e) {
                continue;
            }
            break;
        }
        return xhr;
    }
    var xhr = XHRobject();
    xhr.open("POST", "127.0.0.1:8080", true);
    xhr.setRequestHeader("Content-Type", "text/csv");
    xhr.send(myText);
    console.log(myText);

由于某种原因,您可以在http://nodejs.org/api/http.html上获取的基本 HTTP 服务器导致ECONNREFUSED错误(即使使用 sudo 和端口 8080),所以我尝试使用这个简单的代码:

var http = require('http');

http.createServer(function(req, res) {
    console.log('res: ' + JSON.stringify(res.body));
}).listen(8080, null)

但它一直在打印res: undefined

另一方面,AJAX POST似乎不会在控制台中触发任何错误。

所以我的问题是:

  • 如何拥有一个简单但可靠的 node.js 服务器来检索AJAX POST请求发送的文本?

先感谢您 !

编辑:测试是在127.0.0.1(本地主机)上完成的。

EDIT2:这是更新的 Node.js 代码:

var http = require('http');

    var http = require('http');
    http.createServer(function (req, res) {
      res.writeHead(200, {'Content-Type': 'text/plain'});
      res.end();
      req.on('data', function(data) {
        console.log(data);
      })
    }).listen(1337, '127.0.0.1');
    console.log('Server running at http://127.0.0.1:1337/');
4

1 回答 1

3

查看http://nodejs.org主页上的示例。

var http = require('http');
http.createServer(function (req, res) {
  res.writeHead(200, {'Content-Type': 'text/plain'});
  res.end('Hello World\n');
}).listen(1337, '127.0.0.1');
console.log('Server running at http://127.0.0.1:1337/');
  1. Node.js 请求对象没有纯文本形式的请求正文。它需要由data event中的块处理。
  2. 您需要使用 res.end 结束请求以向客户端发送响应。

更新:

此代码应该可以正常工作:

var http = require('http');
http.createServer(function (req, res) {
  var body = '';
  req.on('data', function(chunk) {
    body += chunk.toString('utf8');
  });
  req.on('end', function() {
    console.log(body);
    res.end();    
  });
}).listen(8080);
于 2012-11-10T02:53:44.523 回答