Automatic persisted queries
Improve network performance by sending smaller requests
Clients send queries to Apollo Server as HTTP requests that include the GraphQL string of the query to execute. Depending on your graph's schema, the size of a valid query string might be arbitrarily large. As query strings become larger, increased latency and network usage can noticeably degrade client performance.
To improve network performance for large query strings, Apollo Server supports Automatic Persisted Queries (APQ). A persisted query is a query string that's cached on the server side, along with its unique identifier (always its SHA-256 hash). Clients can send this identifier instead of the corresponding query string, thus reducing request sizes dramatically (response sizes are unaffected).
To persist a query string, Apollo Server must first receive it from a requesting client. Consequently, each unique query string must be sent to Apollo Server at least once. After any client sends a query string to persist, every client that executes that query can then benefit from APQ.
Persisted queries are especially effective when clients send queries as GET
requests. This enables clients to take advantage of the browser cache and integrate with a CDN.
Because query identifiers are deterministic hashes, clients can generate them at runtime. No additional build steps are required.
Apollo Client setup
Apollo Server supports APQ without any additional configuration. However, some client-side configuration is required.
To set up APQ in Apollo Client, first import the createPersistedQueryLink
function in the same file where you initialize ApolloClient
:
import { createPersistedQueryLink } from "@apollo/client/link/persisted-queries";
This function creates a link that you can add to your client's Apollo Link chain. The link takes care of generating APQ identifiers, using GET
requests for hashed queries, and retrying requests with query strings when necessary.
Add the persisted query link anywhere in the chain before the terminating link. This example shows a basic two-link chain:
import { ApolloClient, InMemoryCache, HttpLink } from "@apollo/client";
import { createPersistedQueryLink } from "@apollo/client/link/persisted-queries";
const linkChain = createPersistedQueryLink().concat(new HttpLink({ uri: "http://localhost:4000/graphql" }));
const client = new ApolloClient({
cache: new InMemoryCache(),
link: linkChain,
});
Command-line testing
You can test out APQ directly from the command line. This section also helps illustrate the shape of APQ requests, so you can use it to add APQ support to GraphQL clients besides Apollo Client.
This section assumes your server is running locally at
http://localhost:4000/graphql
.
Every GraphQL server supports the following query (which requests the __typename
field from the Query
type):
{__typename}
The SHA-256 hash of this query string is the following:
ecf4edb46db40b5132295c0291d62fb65d6759a9eedfa4d5d612dd5ec54a6b38
-
Attempt to execute this query on your running server by providing its hash in a
curl
command, like so:curl -g 'http://localhost:4000/graphql?extensions={"persistedQuery":{"version":1,"sha256Hash":"ecf4edb46db40b5132295c0291d62fb65d6759a9eedfa4d5d612dd5ec54a6b38"}}'
The first time you try this, Apollo Server responds with an error with the code
PERSISTED_QUERY_NOT_FOUND
. This tells us that Apollo Server hasn't yet received the associated query string. -
Send a followup request that includes both the query string and its hash, like so:
curl -g 'http://localhost:4000/graphql?query={__typename}&extensions={"persistedQuery":{"version":1,"sha256Hash":"ecf4edb46db40b5132295c0291d62fb65d6759a9eedfa4d5d612dd5ec54a6b38"}}'
This time, the server persists the query string and then responds with the query result as we'd expect.
The hash you provide must be the exact SHA-256 hash of the query string. If it isn't, Apollo Server returns an error.
-
Finally, attempt the request from step 1 again:
curl -g 'http://localhost:4000/graphql?extensions={"persistedQuery":{"version":1,"sha256Hash":"ecf4edb46db40b5132295c0291d62fb65d6759a9eedfa4d5d612dd5ec54a6b38"}}'
This time, the server responds with the query result because it successfully located the associated query string in its cache.
Using GET
requests with APQ on a CDN
A great application for APQ is running Apollo Server behind a CDN. Many CDNs only cache GET requests, but many GraphQL queries are too long to fit comfortably in a cacheable GET request. When the APQ link is created with createPersistedQueryLink({useGETForHashedQueries: true})
, Apollo Client automatically sends the short hashed queries as GET requests allowing a CDN to serve those request. For full-length queries and for all mutations, Apollo Client will continue to use POST requests.
CDN Integration
Content Delivery Networks (CDNs) such as fly.io, Cloudflare, Akamai, or Fastly allow content caching close to clients, delivering data with low latency from a nearby server. Apollo Server makes it straightforward to use CDNs with GraphQL queries to cache full responses while still executing more dynamic queries.
Apollo Server works well with a Content Distribution Network (CDN) to cache full GraphQL query results. By adding the appropriate cache hints, Apollo Server can calculate Cache-Control
headers that a CDN can use to determine how long a request should be cached. For subsequent requests, the result will be served directly from the CDN's cache. A CDN paired with Apollo Server's persisted queries is especially powerful since GraphQL operations can be shortened and sent with an HTTP GET request.
Step 1: Add cache hints to the GraphQL schema
Add cache hints as directives to GraphQL schema so that Apollo Server knows which fields and types are cacheable and for how long. For example, this schema indicates that all fields that return an Author
should be cached for 60 seconds, and that the posts
field should itself be cached for 180 seconds:
type Author @cacheControl(maxAge: 60) {
id: Int
firstName: String
lastName: String
posts: [Post] @cacheControl(maxAge: 180)
}
See the cache control documentation for more details, including how to specify hints dynamically inside resolvers, how to set a default maxAge
for all fields, and how to specify that a field should be cached for specific users only (in which case CDNs should ignore it). For example, to set a default max age other than 0
modify the Apollo Server constructor to include cacheControl
:
const server = new ApolloServer({
typeDefs,
resolvers,
// The max age is calculated in seconds
cacheControl: { defaultMaxAge: 5 },
});
After this step, Apollo Server will serve the HTTP Cache-Control
header on fully cacheable responses, so that any CDN in front of Apollo Server will know which responses can be cached and for how long. A "fully cacheable" response contains only data with non-zero maxAge
; the header will refer to the minimum maxAge
value across the whole response, and it will be public
unless some of the data is tagged scope: PRIVATE
. To observe this header, use any browser's network tab in its dev tools.
Step 2: Enable automatic persisted queries
Often, GraphQL requests are big POST requests and most CDNs will only cache GET requests. Additionally, GET requests generally work best when the URL has a bounded size. Enabling automatic persisted queries means that short hashes are sent over the wire instead of full queries, and Apollo Client can be configured to use GET requests for those hashed queries.
To do this, update the client code. First, add the package:
npm install apollo-link-persisted-queries
Then, add the persisted queries link to the Apollo Client constructor before the HTTP link:
import { createPersistedQueryLink } from "apollo-link-persisted-queries";
import { createHttpLink } from "apollo-link-http";
import { InMemoryCache } from "apollo-cache-inmemory";
import { ApolloLink } from "apollo-link";
import ApolloClient from "apollo-client";
const link = ApolloLink.from([
createPersistedQueryLink({ useGETForHashedQueries: true }),
createHttpLink({ uri: "/graphql" })
]);
const client = new ApolloClient({
cache: new InMemoryCache(),
link: link
});
If you are testing locally, make sure to include the full URI including the port number. For example:
uri: "http://localhost:4000/graphql"
.
Make sure to include useGETForHashedQueries: true
. Note that the client will still use POSTs for mutations because it's generally best to avoid GETs for non-idempotent requests.
If configured correctly, browser's dev tools should verify that queries are now sent as GET requests, and receive appropriate Cache-Control
response headers.
Step 3: Set up a CDN
How exactly this works depends on exactly which CDN you chose. Configure your CDN to send requests to Apollo Server. Some CDNs may need to be specially configured to honor origin Cache-Control headers; for example, here is Akamai's documentation on that setting. If all is well, cacheable queries should now be saved by the CDN.
Note that requests served directly by a CDN will not show up in the Studio dashboard.
Cache configuration
By default, Apollo Server stores its APQ registry within its local in-memory cache. If you provide a different cache
as a top-level option to the ApolloServer
constructor, Apollo Server uses that cache instead.
You can also designate a cache specifically for the APQ registry. To do so, provide an instance of your preferred cache class to the ApolloServer
constructor as a cache
option nested inside the persistedQueries
options object. The following backing data stores are supported:
Data store | Class name | Library |
---|---|---|
Local in-memory cache (default) | InMemoryLRUCache | apollo-server-caching |
Memcached | MemcachedCache | apollo-server-cache-memcached |
Redis (single instance or Sentinel) | RedisCache | apollo-server-cache-redis |
Redis Cluster | RedisClusterCache | apollo-server-cache-redis |
Examples for supported data stores are provided below.
Memcached
$ npm install apollo-server-cache-memcached
const { MemcachedCache } = require('apollo-server-cache-memcached');
const { ApolloServer } = require('apollo-server');
const server = new ApolloServer({
typeDefs,
resolvers,
persistedQueries: { cache: new MemcachedCache( ['memcached-1.local', 'memcached-2.local', 'memcached-3.local'], { retries: 10, retry: 10000 }, // Options ), },});
Redis (single instance)
$ npm install apollo-server-cache-redis ioredis
const { BaseRedisCache } = require('apollo-server-cache-redis');
const Redis = require('ioredis');
const server = new ApolloServer({
typeDefs,
resolvers,
persistedQueries: { cache: new BaseRedisCache({ client: new Redis({ host: 'redis-server', }), }), },});
Redis (Sentinel)
$ npm install apollo-server-cache-redis ioredis
const { BaseRedisCache } = require('apollo-server-cache-redis');
const Redis = require('ioredis');
const server = new ApolloServer({
typeDefs,
resolvers,
persistedQueries: { cache: new BaseRedisCache({ client: new Redis({ sentinels: [{ host: 'sentinel-host-01', port: 26379 }], password: 'my_password', name: 'service_name', }), }), },});
Redis Cluster
$ npm install apollo-server-cache-redis ioredis
const { BaseRedisCache } = require('apollo-server-cache-redis');
const Redis = require('ioredis');
const server = new ApolloServer({
typeDefs,
resolvers,
persistedQueries: { cache: new BaseRedisCache({ // Note that this uses the "noMgetClient" option rather than "client", // which avoids using the mget command which doesn't work in cluster mode. noMgetClient: new Redis.Cluster( [{ host: 'redis-node-01-host', }], { // Other Redis cluster client options } ), }), },});
Adjusting cache time-to-live (TTL)
The cache time-to-live (TTL) value determines how long a registered APQ remains in the cache. If a cached query's TTL elapses and the query is purged, it's re-registered the next time it's sent by a client.
Apollo Server's default in-memory store does not specify a TTL for APQ (an APQ remains cached until it is overwritten by the cache's standard eviction policy). For all other supported stores, the default TTL is 300 seconds. You can override or disable this value by setting the ttl
attribute of the persistedQueries
option, in seconds:
const server = new ApolloServer({
typeDefs,
resolvers,
persistedQueries: {
ttl: 900, // 15 minutes },
});
To disable TTL entirely, specify null
for the value of ttl
:
const server = new ApolloServer({
typeDefs,
resolvers,
persistedQueries: {
ttl: null, },
});
As with the default behavior of the in-memory cache, this leaves APQs in the cache until they are overwritten by the cache's standard eviction policy.
Disabling APQ
You can disable APQ entirely by setting the persistedQueries
attribute to false
in the ApolloServer
constructor options:
const server = new ApolloServer({
typeDefs,
resolvers,
persistedQueries: false,});