@feathersjs/hooks
@feathersjs/hooks brings middleware to any async JavaScript or TypeScript function. It allows to create composable and reusable workflows that can add
- Logging
- Profiling
- Validation
- Caching/Debouncing
- Permissions
- Data pre- and postprocessing
- etc.
To a function or class without having to change its original code while also keeping everything cleanly separated and testable. See the
Installation
Node
npm install @feathersjs/hooks --save
yarn add @feathersjs/hooks
Deno
import { hooks } from 'https://unpkg.com/@feathersjs/hooks@latest/deno/index.ts';Note: You might want to replace
latestwith the actual version you want to use (e.g.https://unpkg.com/@feathersjs/hooks@^0.2.0/deno/index.ts)
Browser
@feathersjs/hooks is compatible with any module loader like Webpack and can be included in the browser directly via:
<script type="text/javascript" src="//unpkg.com/@feathersjs/hooks@^0.2.0/dist/hooks.js"></script>Which will make a hooks global variable available.
Quick Example
JavaScript
The following example logs information about a function call:
const { hooks } = require('@feathersjs/hooks');
const logRuntime = async (context, next) => {
const start = new Date().getTime();
await next();
const end = new Date().getTime();
console.log(`Function '${context.method || '[no name]'}' returned '${context.result}' after ${end - start}ms`);
}
// Hooks can be used with a function like this:
const sayHello = hooks(async name => {
return `Hello ${name}!`;
}, [
logRuntime
]);
// And on an object or class like this
class Hello {
async sayHi (name) {
return `Hi ${name}`
}
}
hooks(Hello, {
sayHi: [
logRuntime
]
});
(async () => {
console.log(await sayHello('David'));
// The following would throw an error
// await sayHello(' ');
const hi = new Hello();
console.log(await hi.sayHi('Dave'));
})();TypeScript
In addition to the normal JavaScript use, with the experimentalDecorators option in tsconfig.json enabled
"experimentalDecorators": true, /* Enables experimental support for ES7 decorators. */Hooks can be registered using a decorator:
import { hooks, HookContext, NextFunction } from '@feathersjs/hooks';
const logRuntime = async (context: HookContext, next: NextFunction) => {
const start = new Date().getTime();
await next();
const end = new Date().getTime();
console.log(`Function '${context.method || '[no name]'}' returned '${context.result}' after ${end - start}ms`);
}
class Hello {
@hooks([
logRuntime
])
async sayHi (name: string) {
return `Hi ${name}`;
}
}
(async () => {
const hi = new Hello();
console.log(await hi.sayHi('David'));
// The following would throw an error
// console.log(await hi.sayHi(' '));
})();Documentation
Middleware
Middleware functions (or hook functions) take a context and an asynchronous next function as their parameters. The context contains information about the function call (like the arguments, the result or this context) and the next function can be called to continue to the next hook or the original function.
A middleware function can do things before calling await next() and after all following middleware functions and the function call itself return. It can also try/catch the await next() call to handle and modify errors. This is the same control flow that the web framework KoaJS uses for handling HTTP requests and response.
Each hook function wraps around all other functions (like an onion). This means that the first registered middleware function will run first before await next() and as the very last after all following hooks.
The following example:
const { hooks } = require('@feathersjs/hooks');
const sayHello = async message => {
console.log(`Hello ${message}!`)
};
const hook1 = async (ctx, next) => {
console.log('hook1 before');
await next();
console.log('hook1 after')
}
const hook2 = async (ctx, next) => {
console.log('hook2 before');
await next();
console.log('hook2 after')
}
const hook3 = async (ctx, next) => {
console.log('hook3 before');
await next();
console.log('hook3 after')
}
const sayHelloWithHooks = hooks(sayHello, [
hook1,
hook2,
hook3
]);
(async () => {
await sayHelloWithHooks('David');
})();Would print:
hook1 before
hook2 before
hook3 before
Hello David
hook3 after
hook2 after
hook1 after
This order also applies when using hooks on objects and classes and with inheritance.
Function hooks
hooks(fn, middleware[]) returns a new function that wraps fn with middleware
const { hooks } = require('@feathersjs/hooks');
const sayHello = async name => {
return `Hello ${name}!`;
};
const wrappedSayHello = hooks(sayHello, [
async (context, next) => {
console.log(context.arguments);
await next();
}
]);
(async () => {
console.log(await wrappedSayHello('David'));
})();Important: A wrapped function will always return a Promise even it was not originally
async.
Object hooks
hooks(obj, middlewareMap) takes an object and wraps the functions indicated in middlewareMap. It will modify the existing Object obj:
const { hooks } = require('@feathersjs/hooks');
const o = {
async sayHi (name, quote) {
return `Hi ${name} ${quote}`;
}
async sayHello (name) {
return `Hello ${name}!`;
}
}
hooks(o, {
sayHello: [ logRuntime ],
sayHi: [ logRuntime ]
});Hooks can also be registered at the object level which will run before any specific hooks on a hook enabled function:
const { hooks } = require('@feathersjs/hooks');
const o = {
async sayHi (name) {
return `Hi ${name}!`;
}
async sayHello (name) {
return `Hello ${name}!`;
}
}
// This hook will run first for every hook enabled method on the object
hooks(o, [
async (context, next) => {
console.log('Top level hook');
await next();
}
]);
hooks(o, {
sayHi: [ logRuntime ]
});Class hooks
Similar to object hooks, class hooks modify the class (or class prototype). Just like for objects it is possible to register hooks that are global to the class or object. Registering hooks also works with inheritance.
Note: Object or class level global hooks will only run if the method itself has been enabled for hooks.
JavaScript
const { hooks } = require('@feathersjs/hooks');
class HelloSayer {
async sayHello (name) {
return `Hello ${name}`;
}
}
class HappyHelloSayer extends HelloSayer {
async sayHello (name) {
const baseHello = await super.sayHello(name);
return baseHello + '!!!!! :)';
}
}
// To add hooks at the class level we need to use the prototype object
hooks(HelloSayer.prototype, [
async (context, next) => {
console.log('Hook on HelloSayer');
await next();
}
]);
hooks(HappyHelloSayer.prototype, [
async (context, next) => {
console.log('Hook on HappyHelloSayer');
await next();
}
]);
// Methods can also be wrapped directly on the class
hooks(HelloSayer, {
sayHello: [
async (context, next) => {
console.log('Hook on HelloSayer.sayHello');
await next();
}
]
});
(async () => {
const happy = new HappyHelloSayer();
console.log(await happy.sayHello('David'));
})();TypeScript
Using decorators in TypeScript also respects inheritance:
import { hooks, setContext, HookContext, NextFunction } from '@feathersjs/hooks';
@hooks([
async (context: HookContext, next: NextFunction) => {
console.log('Hook on HelloSayer');
await next();
}
])
class HelloSayer {
@hooks([
setContext.params('name'),
async (context: HookContext, next: NextFunction) => {
console.log('Hook on HelloSayer.sayHello');
await next();
}
])
async sayHello (name: string) {
return `Hello ${name}`;
}
async otherMethod () {
return 'This will not run any hooks';
}
}
@hooks([
async (context: HookContext, next: NextFunction) => {
console.log('Hook on HappyHelloSayer');
await next();
}
])
class HappyHelloSayer extends HelloSayer {
async sayHello (name: string) {
const message = await super.sayHello(name);
return `${message}!!!!! :)`;
}
}
(async () => {
const happy = new HappyHelloSayer();
console.log(await happy.sayHello('David'));
})();Note: Decorators only work on classes and class methods, not on functions. Standalone (arrow) functions require the JavaScript function style hook registration.
Hook Context
The hook context in a middleware function is an object that contains information about the function call.
Context properties
The default properties available are:
context.arguments- The arguments of the function as an arraycontext.method- The name of the function (if it belongs to an object or class)context.self- Thethiscontext of the function being called (may not always be available e.g. for top level arrow functions)context.result- The result of the method callcontext[name]- Value of a named parameter when using named arguments
Arguments
The function call arguments will be available as an array in context.arguments. The values can be modified to change what is passed to the original function call:
const { hooks } = require('@feathersjs/hooks');
const sayHello = async (firstName, lastName) => {
return `Hello ${firstName} ${lastName}!`;
};
const wrappedSayHello = hooks(sayHello, [
async (context, next) => {
// Replace the `lastName`
context.arguments[1] = 'X';
await next();
}
]);
(async () => {
console.log(await wrappedSayHello('David', 'L')); // Hello David X
})();Modifying the result
In a hook function, context.result can be
- Set before calling
await next()to skip the original function call. Other hooks will still run. - Modified after calling
await next()to modify what is being returned by the function.
See the cache example for how this can be used.
Calling the original
The original function without any hooks is available as fn.original:
const { hooks } = require('@feathersjs/hooks');
const emphasize = async (context, next) => {
await next();
context.result += '!!!';
};
const sayHello = hooks(async name => `Hello ${name}`, [ emphasize ]);
const o = hooks({
async sayHi(name) {
return `Hi ${name}`;
}
}, {
sayHi: [ emphasize ]
});
(async () => {
console.log(await sayHello.original('Dave')); // Hello Dave
// Originals on object need to be called with an explicit `this` context
console.log(await o.sayHi.original.call(o, 'David'))
})();Customizing and returning the context
To add additional data to the context an instance of a hook context created via fn.createContext(data) can be passed as the last argument of a hook-enabled function call. In that case, the up to date context object with all the information (like context.result) will be returned:
const { hooks, HookContext } = require('@feathersjs/hooks');
const customContextData = async (context, next) => {
console.log('Custom context message is', context.message);
context.customProperty = 'Hi';
await next();
}
const sayHello = hooks(async message => {
return `Hello ${message}!`;
}, [ customContextData ]);
const customContext = sayHello.createContext({
message: 'Hi from context'
});
(async () => {
const finalContext = await sayHello('Dave', customContext);
console.log(finalContext);
})();Built in hooks
@feathersjs/hooks comes with three built in hooks that can be used to customize the context.
setContext.params(...names)
The setContext.params(...names) hook turns the method call arguments into named parameters on the context. The following example allows to read and set context.firstName and context.lastName in all subsequent hooks:
const { hooks, setContext } = require('@feathersjs/hooks');
const sayHello = async (firstName, lastName) => {
return `Hello ${firstName} ${lastName}!`;
};
const wrappedSayHello = hooks(sayHello, [
// Sets `context.firstName` and `context.lastName`
setContext.params('firstName', 'lastName'),
async (context, next) => {
// Now we can modify `context.lastName` instead
context.lastName = 'X';
await next();
}
]);
(async () => {
console.log(await wrappedSayHello('David', 'L')); // Hello David X
})();Note:
setContext.paramsalways needs to be registered before any other hook that is reading or writing that property.
setContext.properties(props)
setContext.properties(props) returns a hook that always sets the given properties on the context:
const { version } = require('package.json');
const { hooks, setContext } = require('@feathersjs/hooks');
const sayHello = async (firstName, lastName) => {
return `Hello ${firstName} ${lastName}!`;
};
const wrappedSayHello = hooks(sayHello, [
// Sets `context.version`
setContext.properties({ version })
]);setContext.defaults(callback)
setContext.defaults(callback) returns a hook that calls a callback(context) that returns default values which will be set if the property on the context is undefined:
const { hooks, setContext } = require('@feathersjs/hooks');
const sayHello = async (name?: string) => `Hello ${name}`;
const sayHelloWithHooks = hooks(sayHello, [
setContext.params('name'),
setContext.defaults({
name: 'Unknown human'
})
]);
(async () => {
console.log(await sayHello());
})();Best practises
-
Hooks can be registered at any time by calling
hooksagain but registration should be kept in one place for better visibility. -
Decorators make the flow even more visible by putting it right next to the code the hooks are affecting.
-
The
contextwill always be the same object in the hook flow. You can set any property on it. -
If a parameter is an object, modifying that object will change the original parameter. This can cause subtle issues that are difficult to debug. Using the spread operator to add the new property and replacing the context property helps to avoid many of those problems:
const updateQuery = async (context, next) => { // NOT: context.query.newProperty = 'something'; // Instead context.query = { ...context.query, active: true } await next(); } const findUser = hooks(async query => { return collection.find(query); }, [ contextPrams('query'), updateQuery ]);
More Examples
Cache
The following example is a simple hook that caches the results of a function call and uses the cached value. It will clear the cache every 5 seconds. This is useful for any kind of expensive method call like an external HTTP request:
const { hooks } = require('@feathersjs/hooks');
const cache = () => {
let cacheData = {};
// Reset entire cache every 5 seconds
setInterval(() => {
cacheData = {};
}, 5000);
return async (context, next) => {
const key = JSON.stringify(context);
if (cacheData[key]) {
// Setting context.result before `await next()`
// will skip the (expensive function call) and
// make it return the cached value
context.result = cacheData[key];
}
await next();
// Set the cached value to the result
cacheData[key] = context.result;
}
}
const getData = hooks(async url => {
return axios.get(url);
}, [ cache() ]);
await getData('http://url-that-takes-long-to-respond');Permissions
When passing e.g. a user object to a function call, hooks allow for a better separation of concerns by handling permissions in a hook:
const { hooks, setContext } = require('@feathersjs/hooks');
const checkPermission = name => async (context, next) => {
if (!context.user.permissions.includes(name)) {
throw new Error(`User does not have ${name} permission`);
}
await next();
}
const deleteInvoice = hooks(async (id, user) => {
return collection.delete(id);
}, [
setContext.params('id', 'user'),
checkPermission('admin')
]);Cleaning up GraphQL resolvers
The above examples can both be useful for speeding up and locking down existing GraphQL resolvers:
const { hooks, setContext } = require('@feathersjs/hooks');
const checkPermission = name => async (ctx, next) => {
const { context } = ctx;
if (!context.user.permissions.includes(name)) {
throw new Error(`User does not have ${name} permission`);
}
await next();
}
const resolvers = {
Query: {
human: hooks(async (obj, args, context, info) => {
return context.db.loadHumanByID(args.id).then(
userData => new Human(userData)
)
}, [
setContext.params('obj', 'args', 'context', 'info'),
cache(),
checkPermission('admin')
])
}
}License
Copyright (c) 2020
Licensed under the MIT license.

Formed in 2009, the Archive Team (not to be confused with the archive.org Archive-It Team) is a rogue archivist collective dedicated to saving copies of rapidly dying or deleted websites for the sake of history and digital heritage. The group is 100% composed of volunteers and interested parties, and has expanded into a large amount of related projects for saving online and digital history.

