Client-side caching
As mentioned in the introduction, Apollo iOS does more than simply run your queries against a GraphQL server. It normalizes query results to construct a client-side cache of your data, which is kept up to date as further queries and mutations are run.
This means your UI is always internally consistent, and can be kept fully up-to-date with the state on the server with the minimum number of queries required.
Types of caches
All caches used by the ApolloClient
must conform to the NormalizedCache
protocol. There are two types of cache provided automatically by Apollo:
InMemoryNormalizedCache
: This is included with the mainApollo
library, and is the default caching strategy for the Apollo Client. This stores normalized results in-memory, so results are not persisted across sessions of the application.SQLiteCache
: This is included via theApolloSQLite
library. This writes out cache results to aSQLite
file rather than holding the results in memory. Note that this in turn causes cache hits to go to disk, which may result in somewhat slower responses. However, this also reduces the chances of unbounded memory growth, since everything gets dumped to disk.
All caches can be cleared in their entirety by calling clear(callbackQueue:completion:)
. If you need to work more directly with the cache, please see the Direct Cache Access section.
Cache Setup
In-Memory Cache
For InMemoryNormalizedCache
, no sub-libraries are needed.
This type of cache is used by default when setting up an ApolloClient
. If you want to use an in-memory cache without modifications, all you have to do is instantiate an ApolloClient
instance and not pass anything into the store
parameter.
If for some reason you find you need to instantiate the in-memory cache yourself, you can do so with one line:
1import Apollo
2
3let cache = InMemoryNormalizedCache()
SQLite Cache
To use the SQLiteNormalizedCache
, you need to add the ApolloSQLite
sub-library to your project using your preferred package manager:
Adding SQLite with Swift Package Manager
Package.swift
:1.target(
2 name: "MyApplication",
3 dependencies: [
4 .product(name: "ApolloSQLite", package: "Apollo"),
5 ])
Adding SQLite with CocoaPods
Podfile
:1pod 'Apollo'
2pod 'Apollo/SQLite'
Apollo
, you need to specify the same version for Apollo/SQLite
.Adding SQLite with Carthage
ApolloSQLite
framework to your target. This should be one of the libraries that gets built automatically on checkout, and should include the dependent libraries necessary to run it.Once added, you can do the following:
Set up a file URL for your
SQLite
file.Use that file URL to instantiate a SQLite cache.
Use that SQLite cache to instantiate an
ApolloStore
.Pass that
ApolloStore
into the initializer ofApolloClient
:
1import Apollo
2
3// NOTE: You need this import line if you are **NOT** using CocoaPods. In CocoaPods,
4// ApolloSQLite files are collapsed into the Apollo framework. For other dependency managers,
5// ApolloSQLite is a separate framework.
6import ApolloSQLite
7
8// 1. You'll have to figure out where to store your SQLite file.
9// A reasonable place is the user's Documents directory in your sandbox.
10// In any case, create a file URL for your file:
11let documentsPath = NSSearchPathForDirectoriesInDomains(
12 .documentDirectory,
13 .userDomainMask,
14 true).first!
15let documentsURL = URL(fileURLWithPath: documentsPath)
16let sqliteFileURL = documentsURL.appendingPathComponent("test_apollo_db.sqlite")
17
18// 2. Use that file URL to instantiate the SQLite cache:
19let sqliteCache = try SQLiteNormalizedCache(fileURL: sqliteFileURL)
20
21// 3. And then instantiate an instance of `ApolloStore` with the cache you've just created:
22let store = ApolloStore(cache: sqliteCache)
23
24// 4. Assuming you've set up your `networkTransport` instance elsewhere,
25// pass the store you just created into your `ApolloClient` initializer,
26// and you're now set up to use the SQLite cache for persistent storage
27let apolloClient = ApolloClient(networkTransport: networkTransport, store: store)
Controlling normalization
While Apollo can do basic caching based on the shape of GraphQL queries and their results, Apollo won't be able to associate objects fetched by different queries without additional information about the identities of the objects returned from the server.
This is referred to as cache normalization. You can read about our caching model in detail in our blog post, "GraphQL Concepts Visualized".
By default, Apollo does not use object IDs at all, doing caching based only on the path to the object from the root query. However, if you specify a function to generate IDs from each object, and supply it as cacheKeyForObject
to an ApolloClient
instance, you can decide how Apollo will identify and de-duplicate the objects returned from the server:
1apollo.cacheKeyForObject = { $0["id"] }
NOTE: In some cases, just using
cacheKeyForObject
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 cannot automatically update existing queries for you.
Cache normalization concepts
There are 2 primary ways you will want to manually update the cache. Either you'll want to update the cache for a query, or you will want to update a cached object directly.
Manual Scenario A
You use the id of the object (after setting up the afore mentioned
apollo.cacheKeyForObject = { $0["id"] }
) to fetch and change the object. This will update any query where this object is referenced. This works well for updating queries which reference this object, but in the case of a create mutation, your queries won't contain this object to update. Which leads us into Scenario B.
Manual Scenario B
You fire off a mutation which creates a new object.
You may then want to update the cache for a List that should contain this new object. This is a bit fiddly at the moment, as
Droid
forCreateDroidsMutation
is strongly typed:CreateDroidsMutation.Droid
. When inserting this object into the cache forListDroidsQuery
you need to init aListDroidsQuery.Droid
object from aCreateDroidsMutation.Droid
or the types won't match. Your alternative to this is to manually refetch queries on a mutation which will trigger any watchers to update.
Where you may not need to manually update the cache:
If you use fragments which contain ID's then a query which returns or mutates this fragment and returns a new state for this object will automatically be merged into your cache and any query which references that object will be updated. It may therefore be advantageous to plan your schemas so Fragments are reused in List / Detail queries and then the same Fragment is returned as the result of a mutation.
Specifying a cache policy
ApolloClient
's fetch(query:)
method takes an optional cachePolicy
that allows you to specify when results should be fetched from the server, and when data should be loaded from the local cache.
The default cache policy is .returnCacheDataElseFetch
, which means data will be loaded from the cache when available, and fetched from the server otherwise.
Other cache polices which you can specify are:
.fetchIgnoringCacheData
to always fetch from the server, but still store results to the cache..fetchIgnoringCacheCompletely
to always fetch from the server and not store results from the cache. If you're not using the cache at all, this method is preferred tofetchIgnoringCacheData
for performance reasons..returnCacheDataDontFetch
to return data from the cache and never fetch from the server. This policy will return an error if cached data is not available..returnCacheDataAndFetch
to return cached data immediately, then perform a fetch to see if there are any updates. This is mostly useful if you're watching queries, since those will be updated when the call to the server returns.
If you're interested in returning cached data after a failed fetch, the current recommended approach is to use an additionalErrorInterceptor
on your interceptor chain to examine if the error is one it makes sense to show old data for rather than something that needs to be passed on to the user, and then retrying with a returnCacheDataDontFetch
retry policy. An example of this setup can be found in the Cache-dependent interceptor tests.
Watching queries
Watching a query is very similar to fetching a query. The main difference is that you don't just receive an initial result, but your result handler will be invoked whenever relevant data in the cache changes:
1let watcher = apollo.watch(query: HeroNameQuery(episode: .empire)) { result in
2 guard let data = try? result.get().data else { return }
3 print(data.hero?.name) // Luke Skywalker
4}
NOTE: Remember to call
cancel()
on a watcher when its parent object is deallocated, or you will get a memory leak! This is not (presently) done automatically.
Direct cache access
Similarly to the Apollo React API, you can directly read and update the cache as needed using Swift's inout parameters.
This functionality is useful when performing mutations or receiving subscription data, as you should always update the local cache to ensure consistency with the operation that was just performed. The ability to write to the cache directly also prevents you from needing to re-fetch data over the network after a mutation is performed.
read
The read
function is similar to React Apollo's readQuery
and React Apollo's readFragment
methods and will return the cached data for a given GraphQL query or a GraphQL fragment:
1// Assuming we have defined an ApolloClient instance `client`:
2// Read from a GraphQL query
3client.store.withinReadTransaction({ transaction in
4 let data = try transaction.read(
5 query: HeroNameQuery(episode: .jedi)
6 )
7
8 // Prints "R2-D2"
9 print(data.hero?.name)
10})
11
12// Read from a GraphQL fragment
13client.store.withinReadTransaction({ transaction -> HeroDetails in
14 let data = try transaction.readObject(
15 ofType: HeroDetails.self,
16 withKey: id
17 )
18
19 // Prints "R2-D2"
20 print(data.hero?.name)
21})
update
The update
function is similar to React Apollo's writeQuery
method and will update the Apollo cache and propagate changes to all listeners (queries using the watch
method):
1// Assuming we have defined an ApolloClient instance `client`:
2store.withinReadWriteTransaction({ transaction in
3 let query = HeroNameQuery(episode: .jedi)
4
5 try transaction.update(query: query) { (data: inout HeroNameQuery.Data) in
6 data.hero?.name = "Artoo"
7
8 let graphQLResult = try? store.load(query: query).result?.get()
9
10 // Prints "Artoo"
11 print(graphQLResult?.data?.hero?.name)
12 }
13})
delete
Delete functionality is limited at this time. There are presently three deletion methods available on ApolloStore
, which are supported by both the in memory and the SQLite
caches:
clear
- Removes everything from the cache immediately. This is basically the "Nuke it from orbit, it's the only way to be sure" option.removeObject(for:)
onReadWriteTransaction
. Removes a single object for the givenCacheKey
.removeObjects(matching:)
onReadWriteTransaction
. Removes all objects with aCacheKey
that matches the given pattern. Pattern matching is not case sensitive. For an in memory cache it is the equivalent of checking whether the cache key contains the pattern andSQLite
caches will perform aLIKE
query to remove the objects. This method can be very slow depending on the number of records in the cache, it is recommended that this method be called in a background queue.
removeObject(for:)
and removeObjects(matching:)
will only remove things at the level of an object - that is, they cannot remove individual properties from an object, and cannot remove outside references to an object.
You will need to have an understanding of how you are generating cache keys to be able to use these methods effectively. If you're taking advantage of our cacheKeyForObject
function, that will help significantly: You'll have a clear understanding of how cache keys are generated, so you can easily figure out how to construct a cache key or pattern to delete.
For instance, let's say your cacheKeyForObject
function looks like this:
1apollo.cacheKeyForObject = { $0["id"] }
This would indicate that for every object which has an id
property, it will be cached with that id
as the key. This would be ideal for an API which uses globally unique identifiers, as our Star Wars API does.
This means that if you have previously fetched an object with the ID "2001"
, you can:
Call
transaction.removeObject(for: "2001")
on aReadWriteTransaction
to remove any object cached with that key, along with all of its associated scalar properties and the references to other objects it stores.Call
transaction.removeObjects(matching: "200")
on aReadWriteTransaction
and all objects with200
somewhere in their cache key would be removed, such as2001
,2002
, and3200
.
removeObject(for:)
and removeObjects(matching:)
do not cascade removals - if you remove an object which has reference to another object, the reference will be removed, but that other object will not be removed and will remain in the cache. Likewise, if you delete an object, references to that object will not be deleted, they will simply fail, causing a cache miss, when you attempt to load the object again.
This means that if you are planning to remove something, be sure that you either a) Know for sure you no longer need it, or b) Are fine with your cache policy potentially triggering an additional fetch if the missing value causes a read to fail.
Note: As of right now, there is not a way to delete a single property's value. For instance, calling
try transaction.removeRecord(for: "2001.name")
will result in no action, as there would not be a record with the cache key"2001.name"
, sincename
is a scalar field on the"2001"
record.