[javascript] Node.js Express의 HTTP GET 요청

Node.js 또는 Express.js에서 HTTP 요청을하려면 어떻게해야합니까? 다른 서비스에 연결해야합니다. 호출이 비동기적이고 콜백에 원격 서버의 응답이 포함되기를 바랍니다.



답변

여기 내 샘플의 일부 코드 스 니펫이 있습니다. 비동기식이며 JSON 객체를 반환합니다. 모든 형태의 GET 요청을 수행 할 수 있습니다.

예를 들어, 배열에 넣은 청크를 연결하고 결합하는 대신 더 최적의 방법이 있습니다 (예 : 단지 샘플). 희망적으로, 올바른 방향으로 시작합니다.

const http = require('http');
const https = require('https');

/**
 * getJSON:  RESTful GET request returning JSON object(s)
 * @param options: http options object
 * @param callback: callback to pass the results JSON object(s) back
 */

module.exports.getJSON = (options, onResult) => {
  console.log('rest::getJSON');
  const port = options.port == 443 ? https : http;

  let output = '';

  const req = port.request(options, (res) => {
    console.log(`${options.host} : ${res.statusCode}`);
    res.setEncoding('utf8');

    res.on('data', (chunk) => {
      output += chunk;
    });

    res.on('end', () => {
      let obj = JSON.parse(output);

      onResult(res.statusCode, obj);
    });
  });

  req.on('error', (err) => {
    // res.send('error: ' + err.message);
  });

  req.end();
};

다음과 같은 옵션 객체를 생성하여 호출됩니다.

const options = {
  host: 'somesite.com',
  port: 443,
  path: '/some/path',
  method: 'GET',
  headers: {
    'Content-Type': 'application/json'
  }
};

콜백 기능을 제공합니다.

예를 들어 서비스에서 위의 REST 모듈이 필요하며 다음을 수행하십시오.

rest.getJSON(options, (statusCode, result) => {
  // I could work with the resulting HTML/JSON here. I could also just return it
  console.log(`onResult: (${statusCode})\n\n${JSON.stringify(result)}`);

  res.statusCode = statusCode;

  res.send(result);
});

최신 정보

async/ await(선형, 콜백 없음), 약속, 컴파일 시간 지원 및 인텔리전스를 찾고 있다면 해당 청구서에 맞는 경량 HTTP 및 REST 클라이언트를 만들었습니다.

마이크로 소프트 타입 레스트 클라이언트


답변

node.js 에서 간단한 http.get(options, callback)함수 를 사용해보십시오 .

var http = require('http');
var options = {
  host: 'www.google.com',
  path: '/index.html'
};

var req = http.get(options, function(res) {
  console.log('STATUS: ' + res.statusCode);
  console.log('HEADERS: ' + JSON.stringify(res.headers));

  // Buffer the body entirely for processing as a whole.
  var bodyChunks = [];
  res.on('data', function(chunk) {
    // You can process streamed parts here...
    bodyChunks.push(chunk);
  }).on('end', function() {
    var body = Buffer.concat(bodyChunks);
    console.log('BODY: ' + body);
    // ...and/or process the entire body here.
  })
});

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

요청 방법 및 기타 요청 세부 사항을 지정할 수 있는 일반 http.request(options, callback)기능 도 있습니다 .


답변

RequestSuperagent 는 사용하기에 매우 좋은 라이브러리입니다.

참고 : 요청이 더 이상 사용되지 않으므로 위험에 따라 사용하십시오!

사용 request:

var request=require('request');

request.get('https://someplace',options,function(err,res,body){
  if(err) //TODO: handle err
  if(res.statusCode === 200 ) //etc
  //TODO Do something with response
});


답변

Requestify를 사용할 수도 있습니다nodeJS + 용으로 작성한 정말 시원하고 매우 간단한 HTTP 클라이언트 인 . 캐싱을 지원합니다.

GET 메소드 요청에 대해 다음을 수행하십시오.

var requestify = require('requestify');

requestify.get('http://example.com/api/resource')
  .then(function(response) {
      // Get the response body (JSON parsed or jQuery object for XMLs)
      response.getBody();
  }
);


답변

이 버전은 bryanmac 이 처음 제안한 것을 기반으로합니다. 약속, 더 나은 오류 처리 및 ES6에서 다시 작성된 기능에 .

let http = require("http"),
    https = require("https");

/**
 * getJSON:  REST get request returning JSON object(s)
 * @param options: http options object
 */
exports.getJSON = function(options)
{
    console.log('rest::getJSON');
    let reqHandler = +options.port === 443 ? https : http;

    return new Promise((resolve, reject) => {
        let req = reqHandler.request(options, (res) =>
        {
            let output = '';
            console.log('rest::', options.host + ':' + res.statusCode);
            res.setEncoding('utf8');

            res.on('data', function (chunk) {
                output += chunk;
            });

            res.on('end', () => {
                try {
                    let obj = JSON.parse(output);
                    // console.log('rest::', obj);
                    resolve({
                        statusCode: res.statusCode,
                        data: obj
                    });
                }
                catch(err) {
                    console.error('rest::end', err);
                    reject(err);
                }
            });
        });

        req.on('error', (err) => {
            console.error('rest::request', err);
            reject(err);
        });

        req.end();
    });
};

결과적으로 콜백 함수를 전달할 필요가없고 getJSON ()은 promise를 반환합니다. 다음 예제에서 함수는 ExpressJS 라우트 핸들러 내에서 사용됩니다.

router.get('/:id', (req, res, next) => {
    rest.getJSON({
        host: host,
        path: `/posts/${req.params.id}`,
        method: 'GET'
    }).then(({status, data}) => {
        res.json(data);
    }, (error) => {
        next(error);
    });
});

오류가 발생하면 서버 오류 처리 미들웨어에 오류를 위임합니다.


답변

Unirest 는 Node에서 HTTP 요청을하기 위해 내가 찾은 최고의 라이브러리입니다. 다중 플랫폼 프레임 워크를 목표로하고 있으므로 Ruby, PHP, Java, Python, Objective C, .Net 또는 Windows 8에서도 HTTP 클라이언트를 사용해야하는 경우 노드에서 작동하는 방식을 배우면 유용합니다. 내가 알 수있는 한 unirest 라이브러리는 대부분 기존 HTTP 클라이언트 (예 : Java, Apache HTTP 클라이언트, Node, Mikeal의 Request libary)에 의해 지원됩니다 )에 는 더 좋은 API를 맨 위에 놓습니다.

Node.js에 대한 코드 예제는 다음과 같습니다.

var unirest = require('unirest')

// GET a resource
unirest.get('http://httpbin.org/get')
  .query({'foo': 'bar'})
  .query({'stack': 'overflow'})
  .end(function(res) {
    if (res.error) {
      console.log('GET error', res.error)
    } else {
      console.log('GET response', res.body)
    }
  })

// POST a form with an attached file
unirest.post('http://httpbin.org/post')
  .field('foo', 'bar')
  .field('stack', 'overflow')
  .attach('myfile', 'examples.js')
  .end(function(res) {
    if (res.error) {
      console.log('POST error', res.error)
    } else {
      console.log('POST response', res.body)
    }
  })

여기서 노드 문서로 바로 이동할 수 있습니다.


답변

파쇄를 확인하십시오 . 리디렉션, 세션 및 JSON 응답을 처리 하는 spire.io 가 만들고 유지 관리하는 노드 HTTP 클라이언트입니다 . 나머지 API와 상호 작용하기에 좋습니다. 자세한 내용은 이 블로그 게시물 을 참조하십시오.