web-dev-qa-db-ja.com

JQueryからデータを送信する方法AJAX Node.jsサーバーへのリクエスト

やりたいこと:
jquery ajaxリクエストを使用して、node.js httpサーバーにデータ(jsonなど)を送信するだけです。

何らかの理由で、サーバー上のデータを取得することができません。リクエストの「データ」イベントが発生しないためです。

クライアントコード:

$.ajax({
    url: server,
    dataType: "jsonp",
    data: '{"data": "TEST"}',
    jsonpCallback: 'callback',
    success: function (data) {
        var ret = jQuery.parseJSON(data);
        $('#lblResponse').html(ret.msg);
    },
    error: function (xhr, status, error) {
        console.log('Error: ' + error.message);
        $('#lblResponse').html('Error connecting to the server.');
    }
});

サーバーコード:

var http = require('http');
http.createServer(function (req, res) {

    console.log('Request received');

    res.writeHead(200, { 'Content-Type': 'text/plain' });
    req.on('data', function (chunk) {
        console.log('GOT DATA!');
    });
    res.end('callback(\'{\"msg\": \"OK\"}\')');

}).listen(8080, '192.168.0.143');
console.log('Server running at http://192.168.0.143:8080/');

私が言ったように、リクエストの「データ」イベントには決して入りません。

コメント:
1。 「リクエスト受信」メッセージを記録します。
2。応答は問題なく、クライアントでデータを処理することができません。

助けがありますか?何か不足していますか?

よろしくお願いします。

編集:
答えに基づいて、コードの最終バージョンをコメントしました。

クライアントコード:

$.ajax({
type: 'POST' // added,
url: server,
data: '{"data": "TEST"}',
//dataType: 'jsonp' - removed
//jsonpCallback: 'callback' - removed
success: function (data) {
    var ret = jQuery.parseJSON(data);
    $('#lblResponse').html(ret.msg);
},
error: function (xhr, status, error) {
    console.log('Error: ' + error.message);
    $('#lblResponse').html('Error connecting to the server.');
}
});


サーバーコード:

var http = require('http');
http.createServer(function (req, res) {

    console.log('Request received');

    res.writeHead(200, { 
        'Content-Type': 'text/plain',
        'Access-Control-Allow-Origin': '*' // implementation of CORS
    });
    req.on('data', function (chunk) {
        console.log('GOT DATA!');
    });

    res.end('{"msg": "OK"}'); // removed the 'callback' stuff

}).listen(8080, '192.168.0.143');
console.log('Server running at http://192.168.0.143:8080/');


クロスドメインリクエストを許可するため、 [〜#〜] cors [〜#〜] の実装を追加しました。

ありがとう!

16
Marcelo Vitoria

Node.jsサーバー側で発生する 'data'イベントを取得するには、POSTデータ。つまり、 'data'イベントはPOSTデータにのみ応答します。'jsonpの指定'jsonpはjqueryドキュメントで次のように定義されているため、データ形式としてGETリクエストが強制されます。

「jsonp」:JSONPを使用してJSONブロックをロードします。余分な「?callback =?」を追加しますコールバックを指定するためにURLの最後まで

クライアントを変更してデータイベントを発生させる方法は次のとおりです。

クライアント:

<html>
<head>
    <script language="javascript" type="text/javascript" src="jquery-1.8.3.min.js"></script>
</head>

<body>
    response here: <p id="lblResponse">fill me in</p>

<script type="text/javascript">
$(document).ready(function() {
    $.ajax({
        url: 'http://192.168.0.143:8080',
        // dataType: "jsonp",
        data: '{"data": "TEST"}',
        type: 'POST',
        jsonpCallback: 'callback', // this is not relevant to the POST anymore
        success: function (data) {
            var ret = jQuery.parseJSON(data);
            $('#lblResponse').html(ret.msg);
            console.log('Success: ')
        },
        error: function (xhr, status, error) {
            console.log('Error: ' + error.message);
            $('#lblResponse').html('Error connecting to the server.');
        },
    });
});
</script>

</body>
</html>

サーバー側のデバッグに役立つ便利な行:

サーバ:

var http = require('http');
var util = require('util')
http.createServer(function (req, res) {

    console.log('Request received: ');
    util.log(util.inspect(req)) // this line helps you inspect the request so you can see whether the data is in the url (GET) or the req body (POST)
    util.log('Request recieved: \nmethod: ' + req.method + '\nurl: ' + req.url) // this line logs just the method and url

    res.writeHead(200, { 'Content-Type': 'text/plain' });
    req.on('data', function (chunk) {
        console.log('GOT DATA!');
    });
    res.end('callback(\'{\"msg\": \"OK\"}\')');

}).listen(8080);
console.log('Server running on port 8080');

ノード側のデータイベントの目的は、ボディを構築することです。これは、受信するデータのチャンクごとに1回、1つのHTTP要求ごとに複数回発生します。これは、node.jsの非同期の性質です-サーバーは、データのチャンクを受信する間に他の作業を行います。

18
Brion Finlay