What is rest-facade?
The rest-facade npm package is a lightweight library that simplifies the process of making RESTful API calls. It provides a facade over HTTP requests, making it easier to interact with REST APIs by abstracting away the complexities of handling HTTP methods, headers, and responses.
What are rest-facade's main functionalities?
Creating a REST client
This feature allows you to create a REST client that can be used to interact with a RESTful API. The `Client` class takes the base URL of the API as a parameter.
const { Client } = require('rest-facade');
const api = new Client('https://api.example.com');
Making GET requests
This feature allows you to make GET requests to a specified endpoint. The `get` method returns a promise that resolves with the response data or rejects with an error.
api.get('/resource').then(response => console.log(response)).catch(error => console.error(error));
Making POST requests
This feature allows you to make POST requests to a specified endpoint with a payload. The `create` method sends the payload to the server and returns a promise that resolves with the response data or rejects with an error.
api.create('/resource', { key: 'value' }).then(response => console.log(response)).catch(error => console.error(error));
Handling headers
This feature allows you to include custom headers in your requests. The headers can be specified as an option in the request method.
api.get('/resource', { headers: { 'Authorization': 'Bearer token' } }).then(response => console.log(response)).catch(error => console.error(error));
Error handling
This feature provides a way to handle errors that occur during the request. The promise returned by the request method can be caught to handle any errors.
api.get('/resource').then(response => console.log(response)).catch(error => console.error('Error:', error.message));
Other packages similar to rest-facade
axios
Axios is a popular promise-based HTTP client for the browser and Node.js. It provides a simple API for making HTTP requests and supports features like interceptors, automatic JSON transformation, and request cancellation. Compared to rest-facade, Axios offers more advanced features and greater flexibility.
request
Request is a simplified HTTP client for Node.js. It is designed to be easy to use and supports features like cookies, redirects, and multipart form data. While request is more feature-rich, it is also more complex than rest-facade. Note that the request package is now deprecated.
node-fetch
Node-fetch is a lightweight module that brings the Fetch API to Node.js. It is minimalistic and focuses on providing a simple API for making HTTP requests. Compared to rest-facade, node-fetch is more low-level and requires more manual handling of requests and responses.
rest-facade
Node.js module that abstracts the process of consuming a REST endpoint.
Installation
npm install rest-facade
Usage
Create a new endpoint client
When creating a new client, a URL must be given as first arguments. If the URL have dynamic params, those variable params must be marked with the colon notation, as shown below.
var rest = require('rest-facade');
var options = {
headers: {
Authorization: 'Bearer token'
}
};
var Users = new rest.Client('http://domain.com/users/:id', options);
var UserVideos = new rest.Client('http://domain.com/users/:userId/videos/:slug');
Get all instances from the API
The getAll()
method can take an optional object as first parameters specifying the URL params. Considering the UserVideos model from last example:
UserVideos
.getAll({ userId: 4 })
.then(function (users) {
console.log(users.length, 'users retrieved');
});
Get one instance from the API.
Users
.get({ id: 4 })
.then(function (user) {
console.log(user);
});
Create a new instance and save it to the API
The create method can be called using several signatures.
create(data)
returns a Promise.create(urlParams, data)
returns a Promise.create(data, callback)
doesn't return a promise.create(urlParams, data, callback)
doesn't return a promise.
Users
.create({ firstName: 'John', lastName: 'Doe' });
.then(function (user) {
console.log('User created');
});
UserVideos
.create({ userId: 4 }, { title: 'Learning Javascript', slug: 'learn-javascript' })
.then(function (video) {
console.log('User video created');
}):
Delete an instance from the API by ID
As it was the case with the create()
method, delete()
can also be called with different signatures.
delete(urlParams)
returns a Promise.delete(callback)
returns a Promise.delete(urlParams, callback)
doesn't return a Promise.
Users
.delete({ id: userId })
.then(function () {
console.log('User deleted');
});
UserVideos
.delete({ slug: 'learn-javascript' })
.then(function () {
});
Update an instance.
There are 2 ways to update data, if you are using correctly the HTTP methods, 1 is PUT and the other one is PATCH, rest-facade supports both of them:Client.update
and Client.patch
.
As with the previous methods, an object with the URL parameters must be provided as first argument. The second argument must be an object with the new data.
PUT request
Users
.update({ id: userId }, data)
.then(function () {
console.log('User updated');
});
PATCH request
Users
.patch({ id: userId }, data)
.then(function () {
console.log('User updated');
});
Both functions work exactly the same, the only differenct is the method used to perform the request.
Callbacks
All methods support callbacks. However, if a callback function is given no promise will be returned. Callbacks must always be provided after all other function arguments. E.g.:
Users.getAll(function (err, users) {
console.log(users.length, 'users found');
});
Query String
All methods accept an object with URL params as first argument. The properties in this object will be used to format the URL as shown above. However, the properties defined in this object, but not in the endpoint URL, will be added as query string params.
var Users = new rest.Client('http://domain.com/users/:id');
Users.get({ id: 1 });
Users.getAll({ page: 1, pageSize: 10 });
There may be some cases when you are working with an API that follows a different naming convention, and it is not really clean to have mixed naming conventions in our code.
Users.getAll({ page: 1, 'page_size': 10 });
You can solve this problem by specifing a naming convention when creating the Rest Client. The naming convention can be any of snakeCase
, camelCase
, pascalCase
, paramCase
, or any other implemented by the change-case library.
var Users = rest.Client('http://domain.com/users/:id', { query: { convertCase: 'snakeCase' }});
Users.getAll({ page: 1, pageSize: 10 });