apollo-resolvers
Expressive and composable resolvers for Apollostack's GraphQL server
Overview
When standing up a GraphQL backend, one of the first design decisions you will undoubtedly need to make is how you will handle authentication, authorization, and errors. GraphQL resolvers present an entirely new paradigm that existing patterns for RESTful APIs fail to adequately address. Many developers end up writing duplicitous authorization checks in a vast majority of their resolver functions, as well as error handling logic to shield the client from encountering exposed internal errors. The goal of apollo-resolvers
is to simplify the developer experience in working with GraphQL by abstracting away many of these decisions into a nice, expressive design pattern.
apollo-resolvers
provides a pattern for creating resolvers that work, essentially, like reactive middleware. By creating a chain of resolvers to satisfy individual parts of the overall problem, you are able to compose elegant streams that take a GraphQL request and bind it to a model method or some other form of business logic with authorization checks and error handling baked right in.
With apollo-resolvers
, data flows between composed resolvers in a natural order. Requests flow down from parent resolvers to child resolvers until they reach a point that a value is returned or the last child resolver is reached. Thrown errors bubble up from child resolvers to parent resolvers until an additional transformed error is either thrown or returned from an error callback or the last parent resolver is reached.
In addition to the design pattern that apollo-resolvers
provides for creating expressive and composible resolvers, there are also several provided helper methods and classes for handling context creation and cleanup, combining resolver definitions for presentation to graphql-tools
via makeExecutableSchema
, and more.
Example from Apollo Day
Quick start
Install the package:
npm install apollo-resolvers
Create a base resolver for last-resort error masking:
import { createResolver } from 'apollo-resolvers';
import { createError, isInstance } from 'apollo-errors';
const UnknownError = createError('UnknownError', {
message: 'An unknown error has occurred! Please try again later'
});
export const baseResolver = createResolver(
null,
(root, args, context, error) => isInstance(error) ? error : new UnknownError()
);
Create a few child resolvers for access control:
import { createError } from 'apollo-errors';
import { baseResolver } from './baseResolver';
const ForbiddenError = createError('ForbiddenError', {
message: 'You are not allowed to do this'
});
const AuthenticationRequiredError = createError('AuthenticationRequiredError', {
message: 'You must be logged in to do this'
});
export const isAuthenticatedResolver = baseResolver.createResolver(
(root, args, { user }, info) => {
if (!user) throw new AuthenticationRequiredError();
}
);
export const isAdminResolver = isAuthenticatedResolver.createResolver(
(root, args, { user }, info) => {
if (!user.isAdmin) throw new ForbiddenError();
}
)
Create a profile update resolver for our user type:
import { isAuthenticatedResolver } from './acl';
import { createError } from 'apollo-errors';
const NotYourUserError = createError('NotYourUserError', {
message: 'You cannot update the profile for other users'
});
const updateMyProfile = isAuthenticatedResolver.createResolver(
(root, { input }, { user, models: { UserModel } }, info) => {
if (!user.isAdmin && input.id !== user.id) throw new NotYourUserError();
return UserModel.update(input);
}
);
export default {
Mutation: {
updateMyProfile
}
};
Create an admin resolver:
import { createError, isInstance } from 'apollo-errors';
import { isAuthenticatedResolver, isAdminResolver } from './acl';
const ExposedError = createError('ExposedError', {
message: 'An unknown error has occurred'
});
const banUser = isAdminResolver.createResolver(
(root, { input }, { models: { UserModel } }, info) => UserModel.ban(input),
(root, args, context, error) => {
if (!isInstance(error)) throw new ExposedError({
message: error.message
});
}
);
export default {
Mutation: {
banUser
}
};
Combine your resolvers into a single definition ready for use by graphql-tools
:
import { combineResolvers } from 'apollo-resolvers';
import User from './user';
import Admin from './admin';
const resolvers = combineResolvers([
User,
Admin
]);
export default resolvers;
Conditional resolvers:
import { and, or } from 'apollo-resolvers';
import isFooResolver from './foo';
import isBarResolver from './bar';
const banResolver = (root, { input }, { models: { UserModel } }, info)=> UserModel.ban(input);
const orBanResolver = or(isFooResolver, isBarResolver)(banResolver);
const andBanResolver = and(isFooResolver, isBarResolver)(banResolver);
Resolver context
Resolvers are provided a mutable context object that is shared between all resolvers for a given request. A common pattern with GraphQL is inject request-specific model instances into the resolver context for each request. Models frequently reference one another, and unbinding circular references can be a pain. apollo-resolvers
provides a request context factory that allows you to bind context disposal to server responses, calling a dispose
method on each model instance attached to the context to do any sort of required reference cleanup necessary to avoid memory leaks:
import express from 'express';
import bodyParser from 'body-parser';
import { GraphQLError } from 'graphql';
import { graphqlExpress } from 'apollo-server-express';
import { createExpressContext } from 'apollo-resolvers';
import { formatError as apolloFormatError, createError } from 'apollo-errors';
import { UserModel } from './models/user';
import schema from './schema';
const UnknownError = createError('UnknownError', {
message: 'An unknown error has occurred. Please try again later'
});
const formatError = error => {
let e = apolloFormatError(error);
if (e instanceof GraphQLError) {
e = apolloFormatError(new UnknownError({
data: {
originalMessage: e.message,
originalError: e.name
}
}));
}
return e;
};
const app = express();
app.use(bodyParser.json());
app.use((req, res, next) => {
req.user = null;
next();
});
app.post('/graphql', graphqlExpress((req, res) => {
const user = req.user;
const models = {
User: new UserModel(user)
};
const context = createExpressContext({
models,
user
}, res);
return {
schema,
formatError,
context
};
}));
export default app;