web-dev-qa-db-ja.com

node.jsでjQuery ajax呼び出しを使用する方法

これは Node.jsを使用したスト​​リームデータ に似ていますが、質問に対する回答が十分ではないと感じています。

JQuery ajax呼び出し(get、load、getJSON)を使用して、ページとnode.jsサーバー間でデータを転送しようとしています。ブラウザからアドレスにアクセスして「Hello World!」を表示できますが、これをページから試してみると失敗し、応答がないことが示されます。これをテストする簡単なテストページとhello worldの例を設定します

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="utf-8" />
    <title>get test</title> 
</head>
<body>
    <h1>Get Test</h1>
    <div id="test"></div>

    <script src="//ajax.googleapis.com/ajax/libs/jquery/1.5.1/jquery.js"></script>
    <script>
        $(document).ready(function() {
            //alert($('h1').length);
            $('#test').load('http://192.168.1.103:8124/');
            //$.get('http://192.168.1.103:8124/', function(data) {                
            //  alert(data);
            //});
        });
    </script>
</body>
</html>

そして

var http = require('http');

http.createServer(function (req, res) {
    console.log('request received');
    res.writeHead(200, {'Content-Type': 'text/plain'});
    res.end('Hello World\n');
}).listen(8124);
70
briznad

単純なテストページがhello world node.jsの例以外のプロトコル/ドメイン/ポートにある場合、クロスドメインリクエストを行っており、 同じOriginポリシー に違反しているため、jQuery ajax呼び出し(getおよびload )黙って失敗しています。この作業クロスドメインを取得するには、 [〜#〜] jsonp [〜#〜] ベースの形式を使用する必要があります。例えば、node.jsコード:

var http = require('http');

http.createServer(function (req, res) {
    console.log('request received');
    res.writeHead(200, {'Content-Type': 'text/plain'});
    res.end('_testcb(\'{"message": "Hello world!"}\')');
}).listen(8124);

およびクライアント側のJavaScript/jQuery:

$(document).ready(function() {
    $.ajax({
        url: 'http://192.168.1.103:8124/',
        dataType: "jsonp",
        jsonpCallback: "_testcb",
        cache: false,
        timeout: 5000,
        success: function(data) {
            $("#test").append(data);
        },
        error: function(jqXHR, textStatus, errorThrown) {
            alert('error ' + textStatus + " " + errorThrown);
        }
    });
});

これを機能させる他の方法もあります。たとえば、 リバースプロキシ を設定したり、 express のようなフレームワークでWebアプリケーションを完全に構築したりします。

86
yojimbo87

Yojimboの回答に感謝します。彼のサンプルに追加するために、クエリ文字列にランダムコールバックを配置するjqueryメソッド$ .getJSONを使用したいので、Node.jsでそれを解析したかったのです。また、オブジェクトを返し、stringify関数を使用したかったのです。

これは私のクライアント側のコードです。

$.getJSON("http://localhost:8124/dummy?action=dostuff&callback=?",
function(data){
  alert(data);
},
function(jqXHR, textStatus, errorThrown) {
    alert('error ' + textStatus + " " + errorThrown);
});

これは私のサーバー側Node.jsです

var http = require('http');
var querystring = require('querystring');
var url = require('url');

http.createServer(function (req, res) {
    //grab the callback from the query string   
    var pquery = querystring.parse(url.parse(req.url).query);   
    var callback = (pquery.callback ? pquery.callback : '');

    //we probably want to send an object back in response to the request
    var returnObject = {message: "Hello World!"};
    var returnObjectString = JSON.stringify(returnObject);

    //Push back the response including the callback shenanigans
    res.writeHead(200, {'Content-Type': 'text/plain'});
    res.end(callback + '(\'' + returnObjectString + '\')');
}).listen(8124);
8

あなたのhtmlページは別のポートでホストされていると思います。 Same Originポリシー 必須 ほとんどのブラウザでは、ロードされたファイルがロード中のファイルと同じポート上にある必要があります。

3
Adrien

サーバー側で次のようなものを使用します。

http.createServer(function (request, response) {
    if (request.headers['x-requested-with'] == 'XMLHttpRequest') {
        // handle async request
        var u = url.parse(request.url, true); //not needed

        response.writeHead(200, {'content-type':'text/json'})
        response.end(JSON.stringify(some_array.slice(1, 10))) //send elements 1 to 10
    } else {
        // handle sync request (by server index.html)
        if (request.url == '/') {
            response.writeHead(200, {'content-type': 'text/html'})
            util.pump(fs.createReadStream('index.html'), response)
        } 
        else 
        {
            // 404 error
        }
    }
}).listen(31337)
1
user725984