You are viewing documentation for a previous version of this software.

Switch to the latest stable version.

Interacting with cached data


The ApolloClient object provides the following methods for interacting with cached data:

  • readQuery

  • readFragment

  • writeQuery

  • writeFragment

These methods are described in detail below.

Important: You should call these methods on your app's ApolloClient object, not directly on the cache. By doing so, the ApolloClient object broadcasts cache changes to your entire app, which enables automatic UI updates. If you call these methods directly on the cache instead, changes are not broadcast.

All code samples below assume that you have initialized an instance of ApolloClient and that you have imported the gql tag from graphql-tag.

readQuery

The readQuery method enables you to run GraphQL queries directly on your cache.

If your cache contains all of the data necessary to fulfill a specified query, readQuery returns a data object in the shape of your query, just like a GraphQL server does.

If your cache doesn't contain all of the data necessary to fulfill a specified query, readQuery throws an error. It never attempts to fetch data from a remote server.

Pass readQuery a GraphQL query string like so:

JavaScript
1const { todo } = client.readQuery({
2  query: gql`
3    query ReadTodo {
4      todo(id: 5) {
5        id
6        text
7        completed
8      }
9    }
10  `,
11});

You can provide GraphQL variables to readQuery like so:

JavaScript
1const { todo } = client.readQuery({
2  query: gql`
3    query ReadTodo($id: Int!) {
4      todo(id: $id) {
5        id
6        text
7        completed
8      }
9    }
10  `,
11  variables: {
12    id: 5,
13  },
14});

Do not modify the return value of readQuery. The same object might be returned to multiple components. To update data in the cache, instead create a replacement object and pass it to writeQuery.

readFragment

The readFragment method enables you to read data from any normalized cache object that was stored as part of any query result. Unlike readQuery, calls to readFragment do not need to conform to the structure of one of your data graph's supported queries.

Here's an example:

JavaScript
1const todo = client.readFragment({
2  id: ..., // `id` is any id that could be returned by `dataIdFromObject`.
3  fragment: gql`
4    fragment myTodo on Todo {
5      id
6      text
7      completed
8    }
9  `,
10});

The first argument, id, is the unique identifier that was assigned to the object you want to read from the cache. This should match the value that your dataIdFromObject function assigned to the object when it was stored.

For example, let's say you initialize ApolloClient like so:

JavaScript
1const client = new ApolloClient({
2  ...,
3  cache: new InMemoryCache({
4    ...,
5    dataIdFromObject: object => object.id,
6  }),
7});

If a previously executed query cached a Todo object with an id of 5, you can read that object from your cache with the following readFragment call:

JavaScript
1const todo = client.readFragment({
2  id: '5',
3  fragment: gql`
4    fragment myTodo on Todo {
5      id
6      text
7      completed
8    }
9  `,
10});

In the example above, if a Todo object with an id of 5 is not in the cache, readFragment returns null. If the Todo object is in the cache but it's missing either a text or completed field, readFragment throws an error.

writeQuery and writeFragment

In addition to reading arbitrary data from the Apollo Client cache, you can write arbitrary data to the cache with the writeQuery and writeFragment methods.

Any changes you make to cached data with writeQuery and writeFragment are not pushed to your GraphQL server. If you reload your environment, these changes will disappear.

These methods have the same signature as their read counterparts, except they require an additional data variable.

For example, the following call to writeFragment locally updates the completed flag for a Todo object with an id of 5:

JavaScript
1client.writeFragment({
2  id: '5',
3  fragment: gql`
4    fragment myTodo on Todo {
5      completed
6    }
7  `,
8  data: {
9    completed: true,
10  },
11});

All subscribers to the Apollo Client cache see this change and update your application's UI accordingly.

As another example, you can combine readQuery and writeQuery to add a new Todo item to your cached to-do list:

JavaScript
1const query = gql`
2  query MyTodoAppQuery {
3    todos {
4      id
5      text
6      completed
7    }
8  }
9`;
10
11// Get the current to-do list
12const data = client.readQuery({ query });
13
14const myNewTodo = {
15  id: '6',
16  text: 'Start using Apollo Client.',
17  completed: false,
18  __typename: 'Todo',
19};
20
21// Write back to the to-do list and include the new item
22client.writeQuery({
23  query,
24  data: {
25    todos: [...data.todos, myNewTodo],
26  },
27});

Recipes

Here are some common situations where you would need to access the cache directly. If you're manipulating the cache in an interesting way and would like your example to be featured, please send in a pull request!

Bypassing the cache

Sometimes it makes sense to not use the cache for a specific operation. This can be done using the no-cache fetchPolicy. The no-cache policy does not write to the cache with the response. This may be useful for sensitive data like passwords that you don’t want to keep in the cache.

Updating after a mutation

In some cases, just using dataIdFromObject is not enough for your application UI to update correctly. For example, if you want to add something to a list of objects without refetching the entire list, or if there are some objects that to which you can't assign an object identifier, Apollo Client cannot update existing queries for you. Read on to learn about the other tools at your disposal.

refetchQueries is the simplest way of updating the cache. With refetchQueries you can specify one or more queries that you want to run after a mutation is completed in order to refetch the parts of the store that may have been affected by the mutation:

JavaScript
1mutate({
2  //... insert comment mutation
3  refetchQueries: [{
4    query: gql`
5      query UpdateCache($repoName: String!) {
6        entry(repoFullName: $repoName) {
7          id
8          comments {
9            postedBy {
10              login
11              html_url
12            }
13            createdAt
14            content
15          }
16        }
17      }
18    `,
19    variables: { repoName: 'apollographql/apollo-client' },
20  }],
21})

Please note that if you call refetchQueries with an array of strings, then Apollo Client will look for any previously called queries that have the same names as the provided strings. It will then refetch those queries with their current variables.

A very common way of using refetchQueries is to import queries defined for other components to make sure that those components will be updated:

JavaScript
1import RepoCommentsQuery from '../queries/RepoCommentsQuery';
2
3mutate({
4  //... insert comment mutation
5  refetchQueries: [{
6    query: RepoCommentsQuery,
7    variables: { repoFullName: 'apollographql/apollo-client' },
8  }],
9})

Using update gives you full control over the cache, allowing you to make changes to your data model in response to a mutation in any way you like. update is the recommended way of updating the cache after a query. It is explained in full here.

JavaScript
1import CommentAppQuery from '../queries/CommentAppQuery';
2
3const SUBMIT_COMMENT_MUTATION = gql`
4  mutation SubmitComment($repoFullName: String!, $commentContent: String!) {
5    submitComment(
6      repoFullName: $repoFullName
7      commentContent: $commentContent
8    ) {
9      postedBy {
10        login
11        html_url
12      }
13      createdAt
14      content
15    }
16  }
17`;
18
19const CommentsPageWithMutations = () => (
20  <Mutation mutation={SUBMIT_COMMENT_MUTATION}>
21    {mutate => {
22      <AddComment
23        submit={({ repoFullName, commentContent }) =>
24          mutate({
25            variables: { repoFullName, commentContent },
26            update: (store, { data: { submitComment } }) => {
27              // Read the data from our cache for this query.
28              const data = store.readQuery({ query: CommentAppQuery });
29              // Add our comment from the mutation to the end.
30              data.comments.push(submitComment);
31              // Write our data back to the cache.
32              store.writeQuery({ query: CommentAppQuery, data });
33            }
34          })
35        }
36      />;
37    }}
38  </Mutation>
39);

Incremental loading: fetchMore

fetchMore can be used to update the result of a query based on the data returned by another query. Most often, it is used to handle infinite-scroll pagination or other situations where you are loading more data when you already have some.

In our GitHunt example, we have a paginated feed that displays a list of GitHub repositories. When we hit the "Load More" button, we don't want Apollo Client to throw away the repository information it has already loaded. Instead, it should just append the newly loaded repositories to the list that Apollo Client already has in the store. With this update, our UI component should re-render and show us all of the available repositories.

Let's see how to do that with the fetchMore method on a query:

JavaScript
1const FEED_QUERY = gql`
2  query Feed($type: FeedType!, $offset: Int, $limit: Int) {
3    currentUser {
4      login
5    }
6    feed(type: $type, offset: $offset, limit: $limit) {
7      id
8      # ...
9    }
10  }
11`;
12
13const FeedWithData = ({ match }) => (
14  <Query
15    query={FEED_QUERY}
16    variables={{
17      type: match.params.type.toUpperCase() || "TOP",
18      offset: 0,
19      limit: 10
20    }}
21    fetchPolicy="cache-and-network"
22  >
23    {({ data, fetchMore }) => (
24      <Feed
25        entries={data.feed || []}
26        onLoadMore={() =>
27          fetchMore({
28            variables: {
29              offset: data.feed.length
30            },
31            updateQuery: (prev, { fetchMoreResult }) => {
32              if (!fetchMoreResult) return prev;
33              return Object.assign({}, prev, {
34                feed: [...prev.feed, ...fetchMoreResult.feed]
35              });
36            }
37          })
38        }
39      />
40    )}
41  </Query>
42);

The fetchMore method takes a map of variables to be sent with the new query. Here, we're setting the offset to feed.length so that we fetch items that aren't already displayed on the feed. This variable map is merged with the one that's been specified for the query associated with the component. This means that other variables, e.g. the limit variable, will have the same value as they do within the component query.

It can also take a query named argument, which can be a GraphQL document containing a query that will be fetched in order to fetch more information; we refer to this as the fetchMore query. By default, the fetchMore query is the query associated with the container, in this case the FEED_QUERY.

When we call fetchMore, Apollo Client will fire the fetchMore query and use the logic in the updateQuery option to incorporate that into the original result. The named argument updateQuery should be a function that takes the previous result of the query associated with your component (i.e. FEED_QUERY in this case) and the information returned by the fetchMore query and return a combination of the two.

Here, the fetchMore query is the same as the query associated with the component. Our updateQuery takes the new feed items returned and just appends them onto the feed items that we'd asked for previously. With this, the UI will update and the feed will contain the next page of items!

Although fetchMore is often used for pagination, there are many other cases in which it is applicable. For example, suppose you have a list of items (say, a collaborative todo list) and you have a way to fetch items that have been updated after a certain time. Then, you don't have to refetch the whole todo list to get updates: you can just incorporate the newly added items with fetchMore, as long as your updateQuery function correctly merges the new results.

The @connection directive

Fundamentally, paginated queries are the same as any other query with the exception that calls to fetchMore update the same cache key. Since these queries are cached by both the initial query and their parameters, a problem arises when later retrieving or updating paginated queries in the cache. We don’t care about pagination arguments such as limits, offsets, or cursors outside of the need to fetchMore, nor do we want to provide them simply for accessing cached data.

To solve this Apollo Client 1.6 introduced the @connection directive to specify a custom store key for results. A connection allows us to set the cache key for a field and to filter which arguments actually alter the query.

To use the @connection directive, simply add the directive to the segment of the query you want a custom store key for and provide the key parameter to specify the store key. In addition to the key parameter, you can also include the optional filter parameter, which takes an array of query argument names to include in the generated custom store key.

JavaScript
1const query = gql`
2  query Feed($type: FeedType!, $offset: Int, $limit: Int) {
3    feed(type: $type, offset: $offset, limit: $limit) @connection(key: "feed", filter: ["type"]) {
4      ...FeedEntry
5    }
6  }
7`

With the above query, even with multiple fetchMores, the results of each feed update will always result in the feed key in the store being updated with the latest accumulated values. In this example, we also use the @connection directive's optional filter argument to include the type query argument in the store key, which results in multiple store values that accumulate queries from each type of feed.

Now that we have a stable store key, we can easily use writeQuery to perform a store update, in this case clearing out the feed.

JavaScript
1client.writeQuery({
2  query: gql`
3    query Feed($type: FeedType!) {
4      feed(type: $type) @connection(key: "feed", filter: ["type"]) {
5        id
6      }
7    }
8  `,
9  variables: {
10    type: "top",
11  },
12  data: {
13    feed: [],
14  },
15});

Note that because we are only using the type argument in the store key, we don't have to provide offset or limit.

Cache redirects with cacheRedirects

In some cases, a query requests data that already exists in the client store under a different key. A very common example of this is when your UI has a list view and a detail view that both use the same data. The list view might run the following query:

GraphQL