npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

basic-request

v3.0.4

Published

Basic request to a URL, send to a function(error, body), following redirects

Downloads

2,852

Readme

Build Status

basic-request

A very basic library to send an HTTP request to a URL and get a result.

Why Another Request Library?

There are approximately 10000 request packages in npm. This one adds no extra dependencies, and uses the node.js convention of function(error, result) without any added parameters. No longer will you need to check the status code of the response; basic-request treats all status codes other than 200 as errors. The library can work with promises too.

As an extra, basic-request follows redirects.

Installation

Install with npm:

npm install basic-request

Compatibility

Versions 2 and later should be used at least with Node.js v8 or later:

  • Node.js v8 or later: ^2.0.0.
  • Node.js v6 or earlier: ^1.2.0.

Usage

In your code just require the package:

var request = require('basic-request');

GET

To make a regular GET request use await request.get():

const body = await request.get('http://httpbin.org/')
console.log('Received %s', body);

That is it! No wading through responses, parsing status codes or anything else; basic-request will do that for you. Any errors are thrown as exceptions.

You can also use a callback in the traditional node.js fashion:

request.get('http://httpbin.org/', function(error, body) {
    if (error) {
        return console.error('Could not access httpbin: %s', error);
    }
    console.log('Received %s', body);
});

It even follows redirects!

You can see a couple of examples in the test file.

PUT, POST, PATCH, DELETE

The basic-request package supports PUT, POST, PATCH and DELETE methods, and will even stringify objects into JSON for you:

try {
    const body = await request.post('http://httpbin.org/', {attribute: 'value'})
    console.log('Received %s', body);
} catch (exception) {
    return console.error('Could not access httpbin with POST: %s', error);
}

Likewise with request.put(), request.patch(), request.delete(). Again, can be used with a traditional callback as last parameter:

request.post('http://httpbin.org/', {attribute: 'value'}, function(error, body) {
    if (error) {
        return console.error('Could not access httpbin with POST: %s', error);
    }
    console.log('Received %s', body);
});

BLOAT ALERT

A couple of additional features have crept in, using a second (optional) parameter params:

request.get(url, params, callback);

For post and put, it's a third (optional) parameter params:

request.post(url, body, params, callback);
request.put(url, body, params, callback);

Retries

Pass a retries param to retry requests a number of times:

request.get('http://httpbin.org/', {retries: 2}, function(error, body) {
    [...]
});

Timeout

Pass a timeout param to abort the query after the given number of milliseconds:

request.get('http://httpbin.org/', {timeout: 1000}, function(error, body) {
    [...]
});

Headers

Pass a headers param object to send each key as a header:

var headers = {
    'content-type': 'application/x-www-form-urlencoded; charset=UTF-8',
};
request.post('http://httpbin.org/', {a: 5}, {headers: headers}, function(error, body) {
    [...]
});

Agent

Pass an agent object to use for keep alive:

request.get('http://httpbin.org/', {agent: new AgentKeepAlive()}, function(error, body) {
    [...]
});

By default, no agent is used. Consider using agentkeepalive if you need persistent connections, instead of the default agent.

Buffer

If params.buffer is truthy, then a raw buffer is returned instead of converting to string first.

Parse JSON

When the server response has content-type application/json then it will be parsed and returned as an object instead of a string:

const result = await request.get('http://httpbin.org/json')
console.log(`Type ${typeof result}`) //-> 'object'

getResponse()

In case you want to get the response stream and parse it yourself, basic-request since 1.2.0 supports getResponse():

request.getResponse(url, method, body, params, callback);

where method can be any HTTP valid method: GET, POST... and the callback will have the signature function(error, response). The remaining parameters are as explained above. body and params are still optional. Example:

request.getResponse('http://httpbin.org/post', POST, {a: 5}, function(error, response) {
    if (error) return console.error('Could not post: %s', error);
    response.pipe(output);
});

getParsed()

When want to need to have more visibility into the response you can use getParsed() (since 3.0.0):

const parsed = await request.getParsed(url, method, body, params);

Parameters are the same as in request.getResponse(), except that it does not accept a callback: it is always promise-based.

The returned parsed object will have the following attributes:

  • status: HTTP status code.
  • headers: object with headers.
  • buffer: unparsed output buffer.
  • body: parsed body / JSON object.

Example:

const parsed = await request.getParsed('http://httpbin.org/post', POST, {a: 5})
console.log(`Status ${parsed.status}, type ${parsed.headers['content-type']})
console.log(`body: ${parsed.body}`)

License

(The MIT License)

Copyright (c) 2013-2020 Alex Fernández [email protected]

Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the 'Software'), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.