Security News
PyPI Introduces Digital Attestations to Strengthen Python Package Security
PyPI now supports digital attestations, enhancing security and trust by allowing package maintainers to verify the authenticity of Python packages.
Fetchr augments Flux applications by allowing Flux stores to be used on server and client to fetch data
Universal data access layer for web applications.
Typically on the server, you call your API or database directly to fetch some data. However, on the client, you cannot always call your services in the same way (i.e, cross domain policies). Instead, XHR requests need to be made to the server which get forwarded to your service.
Having to write code differently for both environments is duplicative and error prone. Fetchr provides an abstraction layer over your data service calls so that you can fetch data using the same API on the server and client side.
npm install fetchr --save
Follow the steps below to setup Fetchr properly. This assumes you are using the Express framework.
On the server side, add the Fetchr middleware into your express app at a custom API endpoint.
Fetchr middleware expects that you're using the body-parser
middleware (or an alternative middleware that populates req.body
) before you use Fetchr middleware.
var express = require('express');
var Fetcher = require('fetchr');
var bodyParser = require('body-parser');
var app = express();
// you need to use body-parser middleware before fetcher middleware
app.use(bodyParser.json());
app.use('/myCustomAPIEndpoint', Fetcher.middleware());
On the client side, it is necessary for the xhrPath
option to match the path where the middleware was mounted in the previous step
xhrPath
is an optional config property that allows you to customize the endpoint to your services, defaults to /api
.
var Fetcher = require('fetchr');
var fetcher = new Fetcher({
xhrPath: '/myCustomAPIEndpoint'
});
You will need to register any data services that you wish to use in your application.
The interface for your service will be an object that must define a name
property and at least one CRUD operation.
The name
propety will be used when you call one of the CRUD operations.
// app.js
var Fetcher = require('fetchr');
var myDataService = require('./dataService');
Fetcher.registerService(myDataFetcher);
// dataService.js
module.exports = {
// name is required
name: 'data_service',
// at least one of the CRUD methods is required
read: function(req, resource, params, config, callback) {
//...
},
// other methods
// create: function(req, resource, params, body, config, callback) {},
// update: function(req, resource, params, body, config, callback) {},
// delete: function(req, resource, params, config, callback) {}
}
Data services might need access to each individual request, for example, to get the current logged in user's session. For this reason, Fetcher will have to be instantiated once per request.
On the serverside, this requires fetcher to be instantiated per request, in express middleware. On the clientside, this only needs to happen on page load.
// app.js - server
var express = require('express');
var Fetcher = require('fetchr');
var app = express();
var myDataService = require('./dataService');
// register the service
Fetcher.registerService(myDataService);
// register the middleware
app.use('/myCustomAPIEndpoint', Fetcher.middleware());
app.use(function(req, res, next) {
// instantiated fetcher with access to req object
var fetcher = new Fetcher({
xhrPath: '/myCustomAPIEndpoint', // xhrPath will be ignored on the serverside fetcher instantiation
req: req
});
// perform read call to get data
fetcher
.read('data_service')
.params({id: ###})
.end(function (err, data, meta) {
// handle err and/or data returned from data fetcher in this callback
});
});
// app.js - client
var Fetcher = require('fetchr');
var fetcher = new Fetcher({
xhrPath: '/myCustomAPIEndpoint' // xhrPath is REQUIRED on the clientside fetcher instantiation
});
fetcher
.read('data_api_fetcher')
.params({id: ###})
.end(function (err, data, meta) {
// handle err and/or data returned from data fetcher in this callback
});
// for create you can use the body() method to pass data
fetcher
.create('data_api_create')
.body({"some":"data");
.end(function (err, data, meta) {
// handle err and/or data returned from data fetcher in this callback
});
See the simple example.
Usually you instantiate fetcher with some default options for the entire browser session, but there might be cases where you want to update these options later in the same session.
You can do that with the updateOptions
method:
// Start
var fetcher = new Fetcher({
xhrPath: '/myCustomAPIEndpoint',
xhrTimeout: 2000
});
// Later, you may want to update the xhrTimeout
fetcher.updateOptions({
xhrTimeout: 4000
});
When an error occurs in your Fetchr CRUD method, you should return an error object to the callback. The error object should contain a statusCode
(default 400) and output
property that contains valid JSON
which will be serialized to the client.
module.exports = {
name: 'FooService',
read: function create(req, resource, params, configs, callback) {
var err = new Error('it failed');
err.statusCode = 404;
err.output = { message: "Not found", more: "meta data" };
return callback(err);
}
};
xhrTimeout
is an optional config property that allows you to set timeout (in ms) for all clientside requests, defaults to 3000
.
On the clientside, xhrPath and xhrTimeout will be used for XHR requests.
On the serverside, xhrPath and xhrTimeout are not needed and are ignored.
var Fetcher = require('fetchr');
var fetcher = new Fetcher({
xhrPath: '/myCustomAPIEndpoint',
xhrTimeout: 4000
});
If you have an individual request that you need to ensure has a specific timeout you can do that via the timeout
option in clientConfig
:
fetcher
.read('someData')
.params({id: ###})
.clientConfig({timeout: 5000}) // wait 5 seconds for this request before timing it out
.end(function (err, data, meta) {
// handle err and/or data returned from data fetcher in this callback
});
Fetchr provides CORS support by allowing you to pass the full origin host into corsPath
option.
For example:
var Fetcher = require('fetchr');
var fetcher = new Fetcher({
corsPath: 'http://www.foo.com',
xhrPath: '/fooProxy'
});
fetcher
.read('service')
.params({ foo: 1 })
.clientConfig({ cors: true })
.end(callbackFn);
Additionally, you can also customize how the GET URL is constructed by passing in the constructGetUri
property when you execute your read
call:
var qs = require('qs');
function customConstructGetUri(uri, resource, params, config) {
// this refers to the Fetcher object itself that this function is invoked with.
if (config.cors) {
return uri + '/' + resource + '?' + qs.stringify(this.context);
}
// Return `falsy` value will result in `fetcher` using its internal path construction instead.
}
var Fetcher = require('fetchr');
var fetcher = new Fetcher({
corsPath: 'http://www.foo.com',
xhrPath: '/fooProxy'
});
fetcher
.read('service')
.params({ foo: 1 })
.clientConfig({
cors: true,
constructGetUri: customConstructGetUri
})
.end(callbackFn);
You can protect your XHR paths from CSRF attacks by adding a middleware in front of the fetchr middleware:
app.use('/myCustomAPIEndpoint', csrf(), Fetcher.middleware());
You could use https://github.com/expressjs/csurf for this as an example.
Next you need to make sure that the CSRF token is being sent with our XHR requests so that they can be validated. To do this, pass the token in as a key in the options.context
object on the client:
var fetcher = new Fetcher({
xhrPath: '/myCustomAPIEndpoint', //xhrPath is REQUIRED on the clientside fetcher instantiation
context: { // These context values are persisted with XHR calls as query params
_csrf: 'Ax89D94j'
}
});
This _csrf
will be sent in all XHR requests as a query parameter so that it can be validated on the server.
When calling a Fetcher service you can pass an optional config object.
When this call is made from the client, the config object is used to define XHR request options and can be used to override default options:
//app.js - client
var config = {
timeout: 6000, // Timeout (in ms) for each request
unsafeAllowRetry: false // for POST requests, whether to allow retrying this post
};
fetcher
.read('service')
.params({ id: 1 })
.clientConfig(config)
.end(callbackFn);
For requests from the server, the config object is simply passed into the service being called.
By Default, fetchr appends all context values to the xhr url as query params. contextPicker
allows you to greater control over which context variables get sent as query params depending on the xhr method (GET
or POST
). This is useful when you want to limit the number of variables in a GET
url in order not to accidentally cache bust.
contextPicker
follows the same format as the predicate
parameter in lodash/object/pick
with three arguments: (value, key, object)
.
var fetcher = new Fetcher({ context: { // These context values are persisted with XHR calls as query params _csrf: 'Ax89D94j', device: 'desktop' }, contextPicker: { GET: function (value, key, object) { // for example, if you don't enable CSRF protection for GET, you are able to ignore it with the url if (key === '_csrf') { return false; } rerurn true; } // for other method e.g., POST, if you don't define the picker, it will pick the entire context object } });
var fetcher = new Fetcher({ context: { // These context values are persisted with XHR calls as query params _csrf: 'Ax89D94j', device: 'desktop' }, contextPicker: { GET: ['device'] // predicate can be an array of strings } });
This software is free to use under the Yahoo! Inc. BSD license. See the LICENSE file for license text and copyright information.
FAQs
Fetchr augments Flux applications by allowing Flux stores to be used on server and client to fetch data
The npm package fetchr receives a total of 302 weekly downloads. As such, fetchr popularity was classified as not popular.
We found that fetchr demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 0 open source maintainers collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
PyPI now supports digital attestations, enhancing security and trust by allowing package maintainers to verify the authenticity of Python packages.
Security News
GitHub removed 27 malicious pull requests attempting to inject harmful code across multiple open source repositories, in another round of low-effort attacks.
Security News
RubyGems.org has added a new "maintainer" role that allows for publishing new versions of gems. This new permission type is aimed at improving security for gem owners and the service overall.