I am new to node and need to call a 3rd party api from my code. I found how to do this by using http.request from this link https://docs.nodejitsu.com/articles/HTTP/clients/how-to-create-a-HTTP-request. What I need to do is call two different api urls and use the response data from the first call in the second call which will just be an id as a param on resource2.
I do not know how I would chain two of these calls together without it being a duplicated mess. Any help would be appreciated.
var url1 = {
host: 'www.domain.com',
path: '/api/resourse1'
};
var url2 = {
host: 'www.domain.com',
path: '/api/resourse2/{id}'
};
var callback = function (response) {
var str = '';
response.on('data', function (chunk) {
str += chunk;
});
response.on('end', function () {
console.log(str);
});
}
http.request(url1, callback).end();
Firstly, you'll want to take a look at request, which is most popular choice for HTTP requests, due to its simplicity.
Secondly, we can combine the simplicity of request with the concept of Promises, to make multiple requests in succession, while keeping the code flat.
Using request-promise
As you can see, we can add as many requests as we want, and the code will stay flat and simple. As a bonus, we were able to add error-handling as well. Using traditional callbacks, you'd have to add error-handling to every callback, whereas here we only have to do it once at the end of the Promise chain.
UPDATE (09/16): While Promises take us halfway there, further experience has convinced me that Promises alone get messy when there is a lot of mixing between sync, async code, and especially control flow (e.g. if-else). The canonical way to solve this would be with async/await, however that is still in development and would require transpilation. As such, generators are the next best solution.
Using co
UPDATE (12/16): Now that the latest version of node at time of writing (7.2.1) supports async/await behind the
--harmony
flag, you could do this: