title: Local Resolvers order: 2#
Local Resolvers#
Previously, we've learned about local resolvers on the "Normalized Caching" page. They allow us to change the data that Graphcache reads as it queries against its local cache, return links that would otherwise not be cached, or even transform scalar records on the fly.
The resolvers option on cacheExchange accepts a map of types with a nested map of fields, which
means that we can add local resolvers to any field of any type. For example:
cacheExchange({
resolvers: {
Todo: {
updatedAt: parent => new Date(parent.updatedAt),
},
},
});
In the above example, what Graphcache does when it encounters the updatedAt field on Todo types.
Similarly to how Graphcache knows how to generate
keys and looks up our custom keys
configuration functions per __typename, it also uses our resolvers configuration on each field
it queries from its locally cached data.
A local resolver function in Graphcache has a similar signature to GraphQL.js' resolvers on the server-side, so their shape should look familiar to us.
{
TypeName: {
fieldName: (parent, args, cache, info) => {
return null; // new value
},
},
}
A resolver may be attached to any type's field and accepts four positional arguments:
parent: The object on which the field will be added to, which contains the data as it's being queried. It will contain the current field's raw value if it's a scalar, which allows us to manipulate scalar values, likeparent.updatedAtin the previous example.args: The arguments that the field is being called with, which will be replaced with an empty object if the field hasn't been called with any arguments. For example, if the field is queried asname(capitalize: true)thenargswould be{ capitalize: true }.cache: Unlike in GraphQL.js this will not be the context, but acacheinstance, which gives us access to methods allowing us to interact with the local cache. Its full API can be found in the API docs.info: This argument shouldn't be used frequently, but it contains running information about the traversal of the query document. It allows us to make resolvers reusable or to retrieve information about the entire query. Its full API can be found in the API docs.
The local resolvers may return any value that fits the query document's shape, however we must ensure that what we return matches the types of our schema. It, for instance, isn't possible to turn a record field into a link, i.e. replace a scalar with an entity. Instead, local resolvers are useful to transform records, like dates in our previous example, or to imitate server-side logic to allow Graphcache to retrieve more data from its cache without sending a query to our API.
Furthermore, while we see on this page that we get access to methods like cache.resolve and other
methods to read from our cache, only "Cache Updates" get to write and change
the cache. If you call cache.updateQuery, cache.writeFragment, or cache.link in resolvers,
you‘ll get an error, since it‘s not possible to update the cache while reading from it.
When writing a resolver you’ll mostly use cache.resolve, which can be chained, to read field
values from the cache. When a field points to another entity we may get a key, but resolvers are
allowed to return keys or partial entities containing keys.
Note: This essentially means that resolvers can return either scalar values for fields without selection sets, and either partial entities or keys for fields with selection sets, i.e. links / relations. When we return
null, this will be interpreted a the literal GraphQL Null scalar, while returningundefinedwill cause a cache miss.
Transforming Records#
As we've explored in the "Normalized Caching" page's section on records, "records" are scalars and any fields in your query without selection sets. This could be a field with a string value, number, or any other field that resolves to a scalar type rather than another entity i.e. object type.
At the beginning of this page we've already seen an example of a local resolver that we've attached
to a record field where we've added a resolver to a Todo.updatedAt field:
cacheExchange({
resolvers: {
Todo: {
updatedAt: parent => new Date(parent.updatedAt),
},
},
});
A query that contains this field may look like { todo { updatedAt } }, which clearly shows us that
this field is a scalar since it doesn't have any selection set on the updatedAt field. In our
example, we access this field's value and parse it as a new Date().
This shows us that it doesn't matter for scalar fields what kind of value we return. We may parse strings into more granular JS-native objects or replace values entirely.
We may also run into situations where we'd like to generalise the resolver and not make it dependent
on the exact field it's being attached to. In these cases, the info
object can be very helpful as it provides us information about the
current query traversal, and the part of the query document the cache is processing. The
info.fieldName property is one of these properties and lets us know the field that the resolver is
operating on. Hence, we can create a reusable resolver like so:
const transformToDate = (parent, _args, _cache, info) => new Date(parent[info.fieldName]);
cacheExchange({
resolvers: {
Todo: { updatedAt: transformToDate },
},
});
The resolver is now much more reusable, which is particularly handy if we're creating resolvers that
we'd like to apply to multiple fields. The info object has several more
fields that are all similarly useful to abstract our resolvers.
We also haven't seen yet how to handle a field's arguments. If we have a field that accepts arguments we can use those as well as they're passed to us with the second argument of a resolver:
cacheExchange({
resolvers: {
Todo: {
text: (parent, args) => {
return args.capitalize && parent.text ? parent.text.toUpperCase() : parent.text;
},
},
},
});
This is actually unlikely to be of use with records and scalar values as our API will have to be able to use these arguments just as well. In other words, while you may be able to pass any arguments to a field in your query, your GraphQL API's schema must accept these arguments in the first place. However, this is still useful if we're trying to imitate what the API is doing, which will become more relevant in the following examples and sections.
Resolving Entities#
We've already briefly seen that resolvers can be used to replace a link in Graphcache's local data on the "Normalized Caching" page.
Given that Graphcache stores entities in a normalized data structure there may be multiple fields on a given schema that can be used to get to the same entity. For instance, the schema may allow for the same entity to be looked up by an ID while this entity may also appear somewhere else in a list or on an entirely different field.
When links (or relations) like these are cached by Graphcache it is able to look up the entities
automatically, e.g. if we've sent a { todo(id: 1) { id } } query to our API once then Graphcache
will have seen that this field leads to the entity it returns and can query it automatically from
its cache.
However, if we have a list like { todos { id } } we may have seen and cached a specific entity,
but as we browse the app and query for { todo(id: 1) { id } }, Graphcache isn't able to
automatically find this entity even if it has cached it already and will send a request to our API.
In many cases we can create a local resolvers to instead tell the cache where to look for a specific
entity by returning partial information for it. Any resolver on a relational field, meaning any
field that links to an object type (or a list of object types) in the schema, may return a partial
entity that tells the cache how to resolve it. Hence, we're able to implement a resolver for the
previously shown todo(id: $id) field as such:
cacheExchange({
resolvers: {
Query: {
todo: (_, args) => ({ __typename: 'Todo', id: args.id }),
},
},
});
The __typename field is required. Graphcache will use its keying
logic, and your custom keys
configuration to generate a key for this entity and will then be able to look this entity up in its
local cache. As with regular queries, the resolver is known to return a link since the todo(id: $id) { id } will be used with a selection set, querying fields on the entity.
Resolving by keys#
Resolvers can also directly return keys. We've previously learned on the "Normalized Caching"
page that the key for our example above
would look something like "Todo:1" for todo(id: 1). While it isn't advisable to create keys
manually in your resolvers, if you returned a key directly this would still work.
Essentially, returning { __typename, id } may sometimes be the same as returning the key manually.
The cache that we receive as an argument on resolvers has a method for this logic, the
cache.keyOfEntity method.
While it doesn't make much sense in this case, our example can be rewritten as:
cacheExchange({
resolvers: {
Query: {
todo: (_, args, cache) => cache.keyOfEntity({ __typename: 'Todo', id: args.id }),
},
},
});
And while it's not advisable to create keys ourselves, the resolvers' cache and info arguments
give us ample opportunities to use and pass around keys.
One example is the info.parentKey property. This property on the info
object will always be set to the key of the entity that the resolver is
currently run on. For instance, for the above resolver it may be "Query", for for a resolver on
Todo.updatedAt it may be "Todo:1".
Resolving other fields#
In the above two examples we've seen how a resolver can replace Graphcache's logic, which usually
reads links and records only from its locally cached data. We've seen how a field on a record can
use parent[fieldName] to access its cached record value and transform it and how a resolver for a
link can return a partial entity or a key.
However sometimes we'll need to resolve data from other fields in our resolvers.
Note: For records, if the other field is on the same
parententity, it may seem logical to access it onparent[otherFieldName]as well, however theparentobject will only be sparsely populated with fields that the cache has already queried prior to reaching the resolver. In the previous example, where we've created a resolver forTodo.updatedAtand accessedparent.updatedAtto transform its value theparent.updatedAtfield is essentially a shortcut that allows us to get to the record quickly.
Instead we can use the cache.resolve method. This method
allows us to access Graphcache's cached data directly. It is used to resolve records or links on any
given entity and accepts three arguments:
entity: This is the entity on which we'd like to access a field. We may either pass a keyable, partial entity, e.g.{ __typename: 'Todo', id: 1 }or a key. It takes the same inputs as thecache.keyOfEntitymethod, which we've seen earlier in the "Resolving by keys" section. It also acceptsnullwhich causes it to returnnull, which is useful for chaining multipleresolvecalls for deeply accessing a field.fieldName: This is the field's name we'd like to access. If we're looking for the record onTodo.updatedAtwe would pass"updatedAt"and would receive the record value for this field. If we pass a field that is a link to another entity then we'd pass that field's name (e.g."author"forTodo.author) andcache.resolvewill return a key instead of a record value.fieldArgs: Optionally, as the third argument we may pass the field's arguments, e.g.{ id: 1 }if we're trying to accesstodo(id: 1)for instance.
This means that we can rewrite our original Todo.updatedAt example as follows, if we'd like to
avoid using the parent[fieldName] shortcut:
cacheExchange({
resolvers: {
Todo: {
updatedAt: (parent, _args, cache) => new Date(cache.resolve(parent, 'updatedAt')),
},
},
});
When we call cache.resolve(parent, "updatedAt"), the cache will look up the "updatedAt" field on
the parent entity, i.e. on the current Todo entity.
Note: We've also previously learned that
parentmay not contain all fields that the entity may have and may hence be missing its keyable fields, likeid, so why does this then work? It works becausecache.resolve(parent)is a shortcut forcache.resolve(info.parentKey).
Like the info.fieldName property info.parentKey gives us information about the current state of
Graphcache's query operation. In this case, info.parentKey tells us what the parent's key is.
However, since cache.resolve(parent) is much more intuitive we can write that instead since this
is a supported shortcut.
From this follows that we may also use cache.resolve to access other fields. Let's suppose we'd
want updatedAt to default to the entity's createdAt field when it's actually null. In such a
case we could write a resolver like so:
cacheExchange({
resolvers: {
Todo: {
updatedAt: (parent, _args, cache) => parent.updatedAt || cache.resolve(parent, 'createdAt'),
},
},
});
As we can see, we're effortlessly able to access other records from the cache, provided these fields
are actually cached. If they aren't cache.resolve will return null instead.
Beyond records, we're also able to resolve links and hence jump to records from another entity.
Let's suppose we have an author { id, createdAt } field on the Todo and would like
Todo.createdAt to simply copy the author's createdAt field. We can chain cache.resolve calls
to get to this value:
cacheExchange({
resolvers: {
Todo: {
createdAt: (parent, _args, cache) =>
cache.resolve(cache.resolve(parent, 'author') /* "Author:1" */, 'createdAt'),
},
},
});
The return value of cache.resolve changes depending on what data the cache has stored. While it
may return records for fields without selection sets, in other cases it may give you the key of
other entities ("links") instead. It can even give you arrays of keys or records when the field's
value contains a list.
When a value is not present in the cache, cache.resolve will instead return undefined to signal
that a value is uncached. Similarly, a resolver may return undefined to tell Graphcache that the
field isn’t cached and that a call to the API is necessary.
cache.resolve is a pretty flexible method that allows us to access arbitrary values from our cache,
however, we have to be careful about what value will be resolved by it, since the cache can't know
itself what type of value it may return.
The last trick this method allows you to apply is to access arbitrary fields on the root Query
type. If we call cache.resolve("Query", ...) then we're also able to access arbitrary fields
starting from the root Query of the cached data. (If you're using Schema
Awareness the name "Query" may vary for you depending on your schema.)
We're not constrained to accessing fields on the parent of a resolver but can also attempt to
break out and access fields on any other entity we know of.
Resolving Partial Data#
Local resolvers also allow for more advanced use-cases when it comes to links and object types. Previously we've seen how a resolver is able to link up a given field to an entity, which causes this field to resolve an entity directly instead of it being checked against any cached links:
cacheExchange({
resolvers: {
Query: {
todo: (_, args) => ({ __typename: 'Todo', id: args.id }),
},
},
});
In this example, while __typename and id are required to make this entity keyable, we're also
able to add on more fields to this object to override values later on in our selection.
For instance, we can write a resolver that links Query.todo directly to our Todo entity but also
only updates the createdAt field directly in the same resolver, if it is indeed accessed via the
Query.todo field:
cacheExchange({
resolvers: {
Query: {
todo: (_, args) => ({
__typename: 'Todo',
id: args.id,
createdAt: new Date().toString(),
}),
},
},
});
Here we've replaced the createdAt value of the Todo when it's accessed via this manual resolver.
If it was accessed someplace else, for instance via a Query.todos listing field, this override
wouldn't apply.
We can even apply overrides to nested fields, which helps us to create complex resolvers for other use cases like pagination.
Read more on the topic of "Pagination" in the section below.
Computed Queries#
We've now seen how the cache has several powerful methods, like the cache.resolve
method, which allow us to access any data in the cache while writing
resolvers for individual fields.
Additionally the cache has more methods that allow us to access more data at a time, like
cache.readQuery and cache.readFragment.
Reading a query#
At any point, the cache allows us to read entirely separate queries in our resolvers, which starts
a separate virtual operation in our resolvers. When we call cache.readQuery with a query and
variables we can execute an entirely new GraphQL query against our cached data:
import { gql } from '@urql/core';
import { cacheExchange } from '@urql/exchange-graphcache';
const cache = cacheExchange({
updates: {
Mutation: {
addTodo: (result, args, cache) => {
const data = cache.readQuery({ query: Todos, variables: { from: 0, limit: 10 } });
},
},
},
});
This way we'll get the stored data for the TodosQuery for the given variables.
Read more about cache.readQuery in the Graphcache API docs.
Reading a fragment#
The store also allows us to read a fragment for any given entity. The cache.readFragment method
accepts a fragment and an id. This looks like the following.
import { gql } from '@urql/core';
import { cacheExchange } from '@urql/exchange-graphcache';
const cache = cacheExchange({
resolvers: {
Query: {
Todo: (parent, args, cache) => {
return cache.readFragment(
gql`
fragment _ on Todo {
id
text
}
`,
{ id: 1 }
);
},
},
},
});
Note: In the above example, we've used the
gqltag function becausereadFragmentonly accepts GraphQLDocumentNodes as inputs, and not strings.
This way we'll read the entire fragment that we've passed for the Todo for the given key, in this
case { id: 1 }.
Read more about cache.readFragment in the Graphcache API docs.
Cache methods outside of resolvers#
The cache read methods are not possible outside of GraphQL operations. This means these methods will
be limited to the different Graphcache configuration methods.
Living with limitations of Local Resolvers#
Local Resolvers are powerful tools using which we can tell Graphcache what to do with a certain field beyond using results it’s seen on prior API results. However, it’s limitations come from this very intention they were made for.
Resolvers are meant to augment Graphcache and teach it what to do with some fields. Sometimes this is trivial and simple (like most examples on this page), but other times, fields are incredibly complex to reproduce and hence resolvers become more complex.
This section is not exhaustive, but documents some of the more commonly asked for features of resolvers. However, beyond the cases listed below, resolvers are limited and:
- can't manipulate or see other fields on the current entity, or fields above it.
- can't update the cache (they're only “computations” but don't change the cache)
- can't change the query document that's sent to the API
Writing reusable resolvers#
As we've seen before in the "Transforming Records" section above, we can
write generic resolvers by using the fourth argument that resolvers receive, the ResolveInfo
object.
This info object gives our resolvers some context on where they’re being executed and gives it
information about the current field and its surroundings.
For instance, while Graphcache has a convenience helper to access a current record on the parent
object for scalar values, it doesn't for links. Hence, if we're trying to read relationships we have
to use cache.resolve.
cacheExchange({
resolvers: {
Todo: {
// This works:
updatedAt: parent => parent.updatedAt,
// This won't work:
author: parent => parent.author,
},
},
});
The info object actually gives us two ways of accessing the original field's value:
const resolver = (parent, args, cache, info) => {
// This is the full version
const original = cache.resolve(info.parentKey, info.fieldName, args);
// But we can replace `info.parentKey` with `parent` as a shortcut
const original = cache.resolve(parent, info.fieldName, args);
// And we can also avoid re-using arguments by using `fieldKey`
const original = cache.resolve(parent, info.fieldKey);
};
Apart from telling us how to access the originally cached field value, we can also get more
information from info about our field. For instance, we can:
- Read the current field's name using
info.fieldName - Read the current field's key using
info.parentFieldKey - Read the current parent entity's key using
info.parentKey - Read the current parent entity's typename using
info.parentTypename - Access the current operation's raw variables using
info.variables - Access the current operation's raw fragments using
info.fragments
Causing cache misses and partial misses#
When we write resolvers we provide Graphcache with a value for the current field, or rather with "behavior", that it will execute no matter whether this field is also cached or not.
This means that, unless our resolver returns undefined, if the query doesn't have any other cache
misses, Graphcache will consider the field a cache hit and will, unless other cache misses occur,
not make a network request.
Note: An exception for this is Schema Awareness, which can automatically cause partial cache misses.
However, sometimes we may want a resolver to return a result, while still sending a GraphQL API request in the background to update our resolver’s values.
To achieve this we can update the info.partial field.
cacheExchange({
resolvers: {
Todo: {
author(parent, args, cache, info) {
const author = cache.resolve(parent, info.fieldKey);
if (author === null) {
info.partial = true;
}
return author;
},
},
},
});
Suppose we have a field that our GraphQL schema sometimes returns a null value for, but that may
be upated with a value in the future. In the above example, we wrote a resolver that sets
info.partial = true if a field’s value is null. This causes Graphcache to consider the result
“partial and stale” and will cause it to make a background request to the API, while still
delivering the outdated result.
Conditionally applying resolvers#
We may not always want a resolver to be used. While sometimes this can be dangerous (if your resolver affects the shape and types of your fields), in other cases this is necessary. For instance, if your resolver handles infinite-scroll pagination, like the examples in the next section, then you may not always want to apply this resolver.
For this reason, Graphcache also supports “local directives”, which are introduced on the next docs page.
Pagination#
Graphcache offers some preset resolvers to help us out with endless scrolling pagination, also
known as "infinite pagination". It comes with two more advanced but generalised resolvers that can
be applied to two specific pagination use-cases.
They're not meant to implement infinite pagination for any app, instead they're useful when we'd
like to add infinite pagination to an app quickly to try it out or if we're unable to replace it
with separate components per page in environments like React Native, where a FlatList would
require a flat, infinite list of items.
Note: If you don't need a flat array of results, you can also achieve infinite pagination with only UI code. You can find a code example of UI infinite pagination in our example folder.
You can find a code example of infinite pagination with Graphcahce in our example folder.. Please keep in mind that this patterns has some limitations when you're handling cache updates. Deleting old pages from the cache selectively may be difficult, so the UI pattern in the above note is preferred.
Simple Pagination#
Given we have a schema that uses some form of offset and limit based pagination, we can use the
simplePagination exported from @urql/exchange-graphcache/extras to achieve an endless scroller.
This helper will concatenate all queries performed to one long data structure.
import { cacheExchange } from '@urql/exchange-graphcache';
import { simplePagination } from '@urql/exchange-graphcache/extras';
const cache = cacheExchange({
resolvers: {
Query: {
todos: simplePagination(),
},
},
});
This form of pagination accepts an object as an argument, we can specify two
options in here limitArgument and offsetArgument these will default to limit
and skip respectively. This way we can use the keywords that are in our queries.
We may also add the mergeMode option, which defaults to 'after' and can otherwise
be set to 'before'. This will handle in which order pages are merged when paginating.
The default after mode assumes that pages that come in last should be merged
after the first pages. The 'before' mode assumes that pages that come in last
should be merged before the first pages, which can be helpful in a reverse
endless scroller (E.g. Chat App).
Example series of requests:
// An example where mergeMode: after works better
skip: 0, limit: 3 => 1, 2, 3
skip: 3, limit: 3 => 4, 5, 6
mergeMode: after => 1, 2, 3, 4, 5, 6 ✔️
mergeMode: before => 4, 5, 6, 1, 2, 3
// An example where mergeMode: before works better
skip: 0, limit: 3 => 4, 5, 6
skip: 3, limit: 3 => 1, 2, 3
mergeMode: after => 4, 5, 6, 1, 2, 3
mergeMode: before => 1, 2, 3, 4, 5, 6 ✔️
Relay Pagination#
Given we have a relay-compatible schema
on our backend, we can offer the possibility of endless data resolving.
This means that when we fetch the next page in our data
received in useQuery we'll see the previous pages as well. This is useful for
endless scrolling.
We can achieve this by importing relayPagination from @urql/exchange-graphcache/extras.
import { cacheExchange } from '@urql/exchange-graphcache';
import { relayPagination } from '@urql/exchange-graphcache/extras';
const cache = cacheExchange({
resolvers: {
Query: {
todos: relayPagination(),
},
// Or if the pagination happens in a nested field:
User: {
todos: relayPagination(),
},
},
});
relayPagination accepts an object of options, for now we are offering one
option and that is the mergeMode. This defaults to inwards and can otherwise
be set to outwards. This will handle how pages are merged when we paginate
forwards and backwards at the same time. outwards pagination assumes that pages
that come in last should be merged before the first pages, so that the list
grows outwards in both directions. The default inwards pagination assumes that
pagination last pages is part of the same list and come after first pages.
Hence it merges pages so that they converge in the middle.
Example series of requests:
first: 1 => node 1, endCursor: a
first: 1, after: a => node 2, endCursor: b
...
last: 1 => node 99, startCursor: c
last: 1, before: c => node 89, startCursor: d
With inwards merging the nodes will be in this order: [1, 2, ..., 89, 99]
And with outwards merging: [..., 89, 99, 1, 2, ...]
The helper happily supports schema that return nodes rather than individually-cursored edges. For each paginated type, we must either always request nodes, or always request edges -- otherwise the lists cannot be stiched together.