npm install rock-req
All functions accept two or three parameters:
const rock = require('rock-req')
rock(optsOrURL [, bodyOrStreamFn], callback)
optsOrURL
can be an object or a the URLbodyOrStreamFn
can be a buffer/string/object or a function returning an input stream for sending the body of POST/PUT/PATCH/DELETE requestscallback(err, res, data)
called only when everything is finished (even with streams).
// res is the server response, already consumed by rock-req. The result is in data
rock.get('http://ex.com', (err, res, data) => {
console.log(res.statusCode) // 200
console.log(data) // Buffer('server response')
})
Alternative syntax:
rock({ method: 'GET', url: 'http://ex.com' }, function (err, res, data) {} )
// OR
rock.concat({ method: 'GET', url: 'http://ex.com' }, function (err, res, data) {} )
Head requests:
rock.head('http://example.com', (err, res, data) => {})
Use the second paramater to pass the body:
rock.post('http://ex.com', 'POST body', (err, res, data) => {})
Alternative syntax:
rock({ method: 'POST', url : 'http://ex.com', body : 'POST body' }, function (err, res, data) {} )
Automatically serialize/deserialize request and response with JSON with getJSON
, putJSON
, postJSON
, deleteJSON
, ...
rock.putJSON('http://ex.com', { id : 123 }, (err, res, data) => {
console.log(data) // already JSON.parsed
})
Alternative syntax:
rock({ method: 'PUT', url: 'http://ex.com', body: { id : 123 }, json: true }, function (err, res, data) {} )
const opts = {
url : 'http://example.com',
method : 'POST',
body : 'this is the POST body',
headers: {
'user-agent': 'my cool app'
}
}
rock(opts, function (err, res, data) {} )
opts can contain any value of NodeJS http.request with rock-req parameters. Here are the most used one:
maxRedirects <number>
overwrite global maximum number of redirects. Defaults to 10maxRetry <number>
overwrite global maximum number of retries. Defaults to 1followRedirects <boolean>
do not follow redirectsbody <buffer> | <string> | <object> | <function>
body to postjson <boolean>
automatically stringify/parse request/response Default : falseurl <string>
the destination URLmethod <string>
A string specifying the HTTP request method. Default: 'GET'.headers <object>
An object containing request headers. Default: 'accept-encoding': 'gzip, deflate, br'timeout <number>
: A number specifying the socket timeout in milliseconds.auth <string>
Basic authentication ('user:password') to compute an Authorization header.port <number>
Port of remote server. Default: defaultPort if set, else 80.host <string>
A domain name or IP address of the server to issue the request to. Default: 'localhost'.hostname <string>
Alias for host.path <string>
Request path. Should include query string if any. E.G. '/index.html?page=12'.protocol <string>
Protocol to use. Default: 'http:'.setHost <boolean>
: Specifies whether or not to automatically add the Host header. Defaults to true.agent <http.Agent> | <boolean>
Controls Agent behavior. Possible values:undefined
(default): use http.globalAgent for this host and port.Agent object
: explicitly use the passed in Agent.false
causes a new Agent with default values to be used.
Rock-req requires that input stream is initialized in a function.
This function is invoked by rock-req for every request retry.
If something goes wrong, the Readable stream is destroyed automatically and the error can be captured with 'error'
event or stream.finished
(optional).
const rock = require('rock-req')
const fs = require('fs')
// opts contains options passed in rock(opts). DO NOT MODIFY IT
function createInputStream(opts) {
return fs.createReadStream('input.txt');
}
const opts = {
url : 'http://example.com',
body: createInputStream
}
rock(opts, function (err, res, data) {})
Alternative syntax:
rock.post('http://example.com', createInputStream, function (err, res, data) {})
// or with more object options:
rock.post(opts, createInputStream, function (err, res, data) {})
Rock-req requires that output stream is initialized in a function.
This function is invoked by rock-req for every request retry.
If something goes wrong, the Writable stream is destroyed automatically and the error can be captured with 'error'
event or stream.finished
(optional).
const rock = require('rock-req')
const fs = require('fs')
// opts contains options passed in rock(opts). DO NOT MODIFY IT
// res if the http response (res.statusCode, ...). DO NOT MODIFY IT and DO NOT CONSUME THE RES STREAM YOURSELF
function createOutputStream(opts, res) {
const writer = fs.createWriteStream('test_gfg.txt')
// If you need to do some action (removing temporary files, ...), uses this native NodeJS method:
writer.on('error', (e) => { /* clean up your stuff */ })
return writer
}
const opts = {
url : 'http://example.com',
output : createOutputStream
}
rock(opts, function (err, res) {})
By default, rock-req retries with the following errors if maxRetry > 0
.
The callback is called when the request succeed or all retries are done
const rock = require('rock-req');
// default values can be overwritten like this:
rock.defaults.retryOnCode = [
408, /* Request Timeout */
429, /* Too Many Requests */
502, /* Bad Gateway */
503, /* Service Unavailable */
504, /* Gateway Timeout*/
521, /* Web Server Is Down*/
522, /* Cloudflare Connection Timed Out */
524 /* Cloudflare A Timeout Occurred */
];
rock.defaults.retryOnError = [
'ETIMEDOUT', /* One of the timeout limits was reached. */
'ECONNRESET', /* The connection was forcibly closed. */
'EADDRINUSE', /* Could not bind to any free port */
'ECONNREFUSED', /* The connection was refused by the server. */
'EPIPE', /* The remote side of the stream being written has been closed. */
'ENOTFOUND', /* Could not resolve the hostname to an IP address. */
'ENETUNREACH', /* No internet connection. */
'EAI_AGAIN' /* DNS lookup timed out. */
];
const opts = {
url : 'http://example.com',
body : 'this is the POST body',
maxRetry : 1
}
rock(opts, function (err, res, data) {} );
Change default parameters globally (not recommended), or create a new instance with specific paramaters (see below)
rock.defaults = {
headers : { 'accept-encoding': 'gzip, deflate, br' },
maxRedirects : 10,
maxRetry : 1,
retryDelay : 10, //ms
retryOnCode : [408, 429, 502, 503, 504, 521, 522, 524 ],
retryOnError : ['ETIMEDOUT', 'ECONNRESET', 'EADDRINUSE', 'ECONNREFUSED','EPIPE', 'ENOTFOUND', 'ENETUNREACH', 'EAI_AGAIN' ],
// beforeRequest is called for each request, retry and redirect
beforeRequest : (opts) => {
// There options can be overwritted (= parsed opts.url)
opts.protocol = 'https:' // or 'http:'
opts.hostname = 'google.com';
opts.port = 443;
opts.path = '/mypage.html?bla=1#hash';
opts.auth = '';
opts.headers = {};
opts.body = {};
opts.method = 'POST';
opts.remainingRetry;
opts.remainingRedirects;
opts.agent = otherHttpAgent;
// READ-ONLY options (not exhaustive)
opts.url; // DOT NOT OVERWRITE
opts.maxRetry;
opts.maxRedirects;
opts.prevError; // error of previous request on retry
opts.prevStatusCode; // HTTP status code of previous request on retry/redirect
// opts must be returned
return opts;
},
}
Create a new instance with specific parameters instead of modifying global rock.defaults
.
By default, this new instance inherits values of the instance source if options are not overwritten. Headers are merged. Then only the first level of the options object is merged (no deep travelling in sub-objects or arrays).
The keepAliveDuration
can be changed only with extend
method because rock-req
creates new http Agent on new instances.
const myInstance = rock.extend({
keepAliveDuration : 0, // Change keep alive duration. Default to 3000ms. Set 0 to deactivate keep alive.
headers: {
'Custom-header': 'x-for-proxy'
},
timeout : 1000
});
myInstance.get('http://example.com', function (err, res, data) {})
beforeRequest
is always called on each request, each redirect and each retry.
- on redirect,
opts.url
(andhostname
,port
,protocol
,path
) is updated to the new location.opts.url
is null if it is a relative redirect. - on retry,
opts.url
(andhostname
,port
,protocol
,path
) have the same value as they did when the rock-req was initially called.
For example, you can dynamically change the http Agent to use a another proxy on each request. Be careful, in this case, you must provide the right http/https Agent if there is a redirection from http to https. Otherwise, rock-req automatically replaces your Agent with the correct one if the protocol changes after redirection.
Or, you can rewrite the URL if you want to use HAProxy as a forward proxy.
const myInstance = rock.extend({
beforeRequest: (opts) => {
const { hostname, port, protocol, path } = opts;
opts.protocol = 'http:';
opts.hostname = '10.0.0.1';
opts.port = 80;
opts.path = `${hostname}/${port}${path}`;
return opts;
}
});
myInstance.get('http://example.com', function (err, res, data) {})
You can set a timeout (in milliseconds) on the request with the timeout
option.
If the request takes longer than timeout
to complete, then the entire request
will fail with an Error
.
const rock = require('rock-req')
const opts = {
url: 'http://example.com',
timeout: 2000 // 2 second timeout
}
rock(opts, function (err, res, data) {})
It's a good idea to set the 'user-agent'
header so the provider can more easily
see how their resource is used.
const rock = require('rock-req')
const pkg = require('./package.json')
rock({
url : 'http://example.com',
headers: {
'user-agent': `my-module/${pkg.version} (https://github.com/username/my-module)`
}
}, function (err, res, data) {})
You can use the tunnel
module with the
agent
option to work with proxies:
const rock = require('rock-req')
const tunnel = require('tunnel')
const opts = {
url: 'http://example.com',
agent: tunnel.httpOverHttp({
proxy: {
host: 'localhost'
}
})
}
rock(opts, function (err, res, data) {})
You can use the cookie
module to include
cookies in a request:
You can extend and create a new instance of rock-req to keep the cookie in header for each request.
const rock = require('rock-req')
const cookie = require('cookie')
const opts = {
url: 'http://example.com',
headers: {
cookie: cookie.serialize('foo', 'bar')
}
}
rock(opts, function (err, res, data) {})
You can use the form-data
module to
create POST request with form data:
const fs = require('fs')
const rock = require('rock-req')
const FormData = require('form-data')
const form = new FormData()
const opts = {
url: 'http://example.com',
body: () => {
form.append('my_file', fs.createReadStream('/foo/bar.jpg'))
}
}
rock.post(opts, function (err, res, data) {})
const rock = require('rock-req')
const opts = {
url: 'http://example.com',
form: {
key: 'value'
}
}
rock.post(opts, function (err, res, data) {})
const rock = require('rock-req')
const opts = {
url: 'http://example.com/will-redirect-elsewhere',
followRedirects: false
}
// res.statusCode will be 301, no error thrown
rock(opts, function (err, res, data) {})
const user = 'someuser'
const pass = 'pa$$word'
const encodedAuth = Buffer.from(`${user}:${pass}`).toString('base64')
rock('http://example.com', {
headers: {
authorization: `Basic ${encodedAuth}`
}
})
You can use the oauth-1.0a
module to create
a signed OAuth request:
const rock = require('rock-req')
const crypto = require('crypto')
const OAuth = require('oauth-1.0a')
const oauth = OAuth({
consumer: {
key: process.env.CONSUMER_KEY,
secret: process.env.CONSUMER_SECRET
},
signature_method: 'HMAC-SHA1',
hash_function: (baseString, key) => crypto.createHmac('sha1', key).update(baseString).digest('base64')
})
const token = {
key: process.env.ACCESS_TOKEN,
secret: process.env.ACCESS_TOKEN_SECRET
}
const url = 'https://api.twitter.com/1.1/statuses/home_timeline.json'
const opts = {
url: url,
headers: oauth.toHeader(oauth.authorize({url, method: 'GET'}, token)),
json: true
}
rock(opts, function (err, res) {})
You can use limiter to throttle requests. This is useful when calling an API that is rate limited.
const rock = require('rock-get')
const RateLimiter = require('limiter').RateLimiter
const limiter = new RateLimiter(1, 'second')
const rock = (opts, cb) => limiter.removeTokens(1, () => rock(opts, cb))
rock.concat = (opts, cb) => limiter.removeTokens(1, () => rock.concat(opts, cb))
var opts = {
url: 'http://example.com'
}
rock.concat(opts, processResult)
rock.concat(opts, processResult)
function processResult (err, res, data) {
if (err) throw err
console.log(data.toString())
}
Rock-req is a fork of simple-get
- Rock-req concatenates chunks and returns the concatenated buffer/JSON in the third paramater of the callback.
Why? because 80% of the time, we need to do simple request without streams.
When you need to pipe the result to another stream, you must use
opts.output
parameter (see "Output Stream" in the doc) - All streams must be created in a function. Rock-req return an error if it is not the case
- before:
body = stream
- after
body = () => { const myStream = create(); return myStream; }
- before:
- replace deprecated
url.parse
bynew URL
but new URL is slower than url.parse. Let's see if Node 20 LTS is faster - promisify ?
- typescript type ?