Thin wrapper around your favorite HTTP client to simplify your api calls
Every new project I do, I find myself heavily thinking of how to integrate api calls to my app. Should I use my favorite HTTP client directly in my business logic? Where should I store the endpoint urls? How to inject url-params? How should I prepare the input payload? Where and how should I parse the response? and many other questions.
... I decided to put an end to those questions and write a thin wrapper around axios to simplify api usage and to clear my code. Plain Api is using axios and it is super simple to create a superagent / request / fetch clone of it.
npm install --save plain-api
Or
yarn add plain-api
Here is a react action written with redux-thunk middleware. This action retrieves the price history of a cryptocurrency pairs. The pairs are provided to the action that uses Bittrex public api to fetch the market history.
import axios from 'axios';
function getPriceHistory(pairs = 'BTC-DOGE') {
return async function (dispatch, getState) {
const state = getState();
const isLoading = selectors.isLoading(state);
if (isLoading) {
return;
}
const response = await axios.get(
'https://bittrex.com/api/v1.1/public/getmarkethistory',
{ params: { market: pairs } }
);
const { data } = response;
if (!data.success) {
return dispatch(setPriceHistoryError(data.message));
} else {
const priceHistory = data.result.map(item => ({
price: item.Price,
timestamp: item.TimeStamp,
}));
return dispatch(setPriceHistory(priceHistory));
}
};
}
This action is very simple, the request isn't much complicate and yet there is a few problems:
- My action depends on to the HTTP client module (axios). If I'd like to replace it with the new shiny fetch api, I'll have to touch every action that performs api calls.
- The action parses the response. If Bittrex will decide to change their api, I'll have to update my action. When dealing with complex actions, it is better to keep away the parsing from the action so I can keep the action as simple as possible.
- In case I'd like to reuse that api in other places I'll have to duplicate some of that code.
Let's separate the api from the action:
import { createResource } from 'plain-api';
export const fetchPriceHistory = createResource('get', 'https://bittrex.com/api/v1.1/public/getmarkethistory', {
inputMap: {
pairs: 'market'
},
parsers: [
data => {
if (!data.success) {
throw new Error(data.message);
}
return data.result;
},
items => items.map(item => ({
price: item.Price,
timestamp: item.TimeStamp,
}))
]
})
And now use it:
import { fetchPriceHistory } from './resources';
function getPriceHistory(pairs = 'BTC-DOGE') {
return async function (dispatch, getState) {
const state = getState();
const isLoading = selectors.isLoading(state);
if (isLoading) {
return;
}
try {
const priceHistory = await fetchPriceHistory.call({ pairs });
dispatch(setPriceHistory(priceHistory));
} catch(err) {
dispatch(setPriceHistoryError(err.message))
}
};
}
That's much better. Now we can focus on our business logic and not api details :)
The main method is createResource(method, apiUrl, options)
and it expects the following:
method
String Can be one ofpost
,put
,get
ordelete
apiUrl
String Api url (for example:https://bittrex.com/api/v1.1/public/getmarkethistory
). See below for more infooptions
- Object SupportswithCredentials
,interpolationPattern
,headersMap
,inputMap
,transformPayload
andparsers
. See below for more info
Sometimes we need to inject parameters to the api url. For example GET https://api.example.com/chat/5/members
will be used to get the members list of room with id equal to 5
. Let's define such resource and use it:
import { createResource } from 'plain-api';
const fetchChatMembers = createResource('get', 'https://api.example.com/chat/{{chatId}}/members');
...
...
...
const chatId = 5;
const members = await fetchChatMembers.call({ chatId });
{{chatId}}
in the url is used as a placeholer. When calling the resource with chatId = 5
, the parameter injected into the url.
If we call the resource without providing the required interpolation params, the placeholders won't be replaced.
As a default, the regular expression that is used for injecting url parameters is /\{\{(\w+)\}\}/gi
(which matches to all the wordes wraped inside {{}}
). You can override this default by calling setDefaultInterpolationPattern(pattern)
:
import { createResource, setDefaultInterpolationPattern } from 'plain-api';
setDefaultInterpolationPattern(/\:(\w+)/gi);
...
...
const fetchChatMembers = createResource('get', 'https://api.example.com/chat/:chatId/members');
...
...
const chatId = 5;
const members = await fetchChatMembers.call({ chatId });
Now :chatId
will be replaced with 5
.
Other option to override the interpolation pattern for a specific resource is to provide it as an option when creating the resource:
import { createResource } from 'plain-api';
const fetchChatMembers = createResource('get', 'https://api.example.com/chat/:chatId/members', {
interpolationPattern: /\:(\w+)/gi
});
...
...
const chatId = 5;
const members = await fetchChatMembers.call({ chatId });
This will override the default interpolation pattern only for that specified resource.
A boolean indicates whether or not cross-site requests should be made using credentials such as cookies, authorization headers or TLS client certificates. Default is false
. You can read more here.
headersMap
let us to decide which parameter will be passed to the header. For example, sending a request with X-Auth-Token
header:
import { createResource } from 'plain-api';
const postMessage = createResource('post', 'https://api.example.com/message', {
headersMap: {
token: 'X-Auth-Token'
}
});
...
...
...
const token = 'this-is-some-user-token';
await postMessage.call({ token });
In this example we performed a request and set the header X-Auth-Token
with the provided token.
If we call the resource without providing token
, the header won't be added.
inputMap
is used to define the request payload. For example, if our api expects an object in the form { user_name, user_age, home_address }
, we will define the following resource:
import { createResource } from 'plain-api';
const updateUser = createResource('put', 'https://api.example.com/user', {
inputMap: {
name: 'user_name',
age: 'user_age',
address: 'home_address'
}
});
...
...
...
await updateUser.call({
name: 'Dan',
age: 23,
address: 'Somewhere under the sea'
});
Parameters that will not be defined in inputMap
won't be added to the request body.
Input of GET
requests is passed using query string.
transformPayload
option can be used to manipulated payload right before calling the api.
import { createResource } from 'plain-api';
const updateUser = createResource('put', 'https://api.example.com/user', {
inputMap: {
name: 'user_name',
},
transformPayload: payload => ({
...payload,
user_name: payload.user_name.toUpperCase(),
})
});
...
...
...
await updateUser.call({ name: 'david' });
In this example, the resource transforms the case of the user_name parameter in the paylod. Any updateUser
request will be sent with upper case user name.
transformHeaders
option can be used to manipulated the headers right before calling the api.
import { createResource } from 'plain-api';
const fetchUser = createResource('get', 'https://api.example.com/user', {
transformHeaders: headers => ({
...headers,
Authorization: 'token',
})
});
...
...
...
await updateUser.call();
Any fetchUser
request will be sent with Authorization header.
We can define parsers
array in order to parse the response body. Each parser is a method that gets the parsed response body, a boolean indicator whether the request status code represents a failure and the original payload sent to the request.
For example:
import { createResource } from 'plain-api';
const getUser = createResource('get', 'https://api.example.com/users/{{userId}}', {
parsers: [
(data, isFailure, payload) => {
if (isFailure) {
throw new Error(`Fail to call api with userId equals to ${payload.userId}`);
}
return data.profile;
},
profile => {
name: profile.user_name,
age: profile.user_age,
address: profile.home_address
}
]
});
...
...
...
try {
const user = await getUser.call({ userId: 12 });
console.log(`Name: ${user.name}, Age: ${user.age}, Address: ${user.address}`);
} catch (err) {
console.log(`Request failed: ${err.message}`);
}
In this example we provide dtwo parsers. If the request failed (status code different from 2xx), the first parser will throw an error. Otherwise it will return the user profile which will be parsed by the second parser.
- If an api call respond with 2xx status code, everything is fine and no error will be thrown.
- If an api call respond with failure status code and contains a response (there was a host that got the request and sent a response), no error will be thrown but the parsers will get
true
value inisFailure
. In this case a parser can decide to throw an error which will be propagate to the api caller. - If an api call respond with failure status code and doesn't contain a response (there was nobody on the other side, no handler / no server / no internet connection / ... no response), an error will be thrown and no parser will be called.
Tests are written with jest. In order to run it, clone this repository and:
npm test
- 1.0.10
- Pass status code to parsers
- 1.0.9
- Support PATCH request
- 1.0.8
- Add support for createResourceFactory() to create resource factory with predefined options
- 1.0.7
- Add support for transformPayload option
- Add support for transformHeaders option
- 1.0.5
- Add prettier and eslint
- Support default options
- 1.0.4
- Update dependencies and fix potential security vulnerabilities
- 1.0.3
- Add support for setting and changing interpolation pattern
- Bug fixes
- 1.0.0
- First stable tested version
Naor Ye – naorye@gmail.com
Distributed under the MIT license. See LICENSE
for more information.
https://github.com/naorye/plain-api
- Fork it (https://github.com/naorye/plain-api/fork)
- Create your feature branch (
git checkout -b feature/fooBar
) - Commit your changes (
git commit -am 'Add some fooBar'
) - Push to the branch (
git push origin feature/fooBar
) - Create a new Pull Request