web-dev-qa-db-ja.com

Expressフレームワークを使用してAJAXリクエストを作成するにはどうすればよいですか?

Expressを使用してAJAXリクエストを送信します。次のようなコードを実行しています。

var express = require('express');
var app = express();

app.get('/', function(req, res) {
   // here I would like to make an external
   // request to another server
});

app.listen(3000);

どうすればいいですか?

20
codeofnode

Expressを使用して発信HTTP要求を作成する必要はありません。そのためにネイティブモジュールを使用します。

var http = require('http');

var options = {
  Host: 'example.com',
  port: '80',
  path: '/path',
  method: 'POST',
  headers: {
    'Content-Type': 'application/x-www-form-urlencoded',
    'Content-Length': post_data.length
  }
};

var req = http.request(options, function(res) {
  // response is here
});

// write the request parameters
req.write('post=data&is=specified&like=this');
req.end();
27
hexacyanide

request libraryを使用できます

var request = require('request');
request('http://localhost:6000', function (error, response, body) {
  if (!error && response.statusCode == 200) {
    console.log(body) // Print the body of response.
  }
})
37

あなたは単にgetリクエストを行っているので、これをお勧めします https://nodejs.org/api/http.html#http_http_get_options_callback

var http = require('http');

http.get("http://www.google.com/index.html", function(res) {

  console.log("Got response: " + res.statusCode);

  if(res.statusCode == 200) {
    console.log("Got value: " + res.statusMessage);
  }

}).on('error', function(e) {
  console.log("Got error: " + e.message);

});

そのコードはそのリンクからのものです

17
Tony