Docs
Launch GraphOS Studio

Configuring CORS

Control access to your server's resources


📣 By default, Apollo Server 4 ships with a feature that protects users from CSRF and XS-Search attacks. This feature requires that any client sending operations via GET or multipart upload requests must include a special header (such as Apollo-Require-Preflight) in that request. For more information, see

.

(CORS) is an HTTP-header-based protocol that enables a server to dictate which origins can access its resources. Put another way, your server can specify which websites can tell a user's browser to talk to your server, and precisely which types of HTTP requests are allowed.

The

function's CORS configuration is unalterable and enables any website on the internet to tell a user's browser to connect to your server.
Depending on your use case,
you might need to further
customize your CORS behavior
to ensure your server's security. To do so, you'll first need to swap to using
expressMiddleware
(or any other integration).

⚠️ If your app is only visible on a private network and uses network separation for security, startStandaloneServer's CORS behavior is not secure. See

for more information.

By default, websites running on domains that differ from your server's domain can't pass cookies with their requests. For details on enabling cross-origin cookie passing for authentication, see

.

Why use CORS?

Most developers know about CORS because they run into the all-too-common

. CORS errors usually occur when you set up an API call or try to get your separately hosted server and client to talk to each other. To better understand what CORS is and why we use it, we'll briefly go over some background context.

Internet users should always exercise caution when installing any new software on their devices. But when it comes to browsing the web, we navigate to different sites all the time, letting our browsers load content from those sites along the way. This comes with inherent risks.

As web developers, we don't want a user's browser to do anything fishy to our server while the user is visiting another website. Browser security mechanisms (e.g., CORS or SOP) can give developers peace of mind by enabling a website's server to specify which browser origins can request resources from that server.

The

of a piece of web content consists of that content's domain, protocol, and port. The
same-origin policy
(SOP) is a security mechanism that restricts scripts on one origin from interacting with resources from another origin. This means that scripts on websites can interact with resources from the same origin without jumping through any extra hoops.

If two URLs differ in their domain, protocol, or port, then those URLs come from two different origins:

# Same origin
http://example.com:8080/ <==> http://example.com:8080/
# Different origin (difference in domain, protocol, and port)
http://example.com:8080/ =X= https://example1.com:8081/

However, as we all know, the internet is an exciting place full of resources that can make websites better (importing images, extra fonts, making API calls, and so on). Developers needed a new protocol to relax SOP and safely share resources across different origins.

Cross-Origin Resource Sharing is the mechanism that allows a web page to share resources across different origins. CORS provides an extra layer of protection by enabling servers and clients to define HTTP headers that specify which external clients' scripts can access their resources.

Note that both SOP and CORS are related to

. Neither prevents other types of software from requesting resources from your server.

Choosing CORS options for your project

When thinking about configuring CORS for your application, there are two main settings to consider:

  • Which origins can access your server's resources
  • Whether your server accepts user credentials (i.e., cookies) with requests

Specifying origins

CORS uses

as part of its protocol, including
Access-Control-Allow-Origin
. The Access-Control-Allow-Origin header (ACAO) enables a server to dictate which origins can use scripts to access that server's resources.

Depending on what you're building, the origins you specify in your CORS configuration might need to change when you're ready to deploy your application.

⚠️ Applications on private networks

If your browser is running your API on a private network (i.e., not on the public internet) and it relies on the privacy of that network for security, we strongly recommend

can access your server's resources.

Specifically, the

function's CORS behavior is not secure in this context. Instead, we recommend swapping to another Apollo Server integration to
customize your server's CORS behavior
by specifying origins.

If you don't, while your personal computer is on your private network, a script on any website could potentially make your browser talk to your private API.

to solve this problem. But in the meantime, all servers on private networks should always specify origins in their CORS configuration.

Federated subgraphs

If you're building a

, we strongly recommend that all of your production disable CORS or limit your 's origins to tools like the
Apollo Studio Explorer
. Most should only allow communication from your gateways, and that communication doesn't involve a browser.

For more information, see

.

APIs that require cookies

If your API needs to accept

with requests, you must specify origins in your CORS configuration. Otherwise, cross-origin cookies are automatically disabled. This is not a security vulnerability, but it does prevent your API from successfully providing cookies.

For examples, see

.

APIs with known consumers

If you create an API on the public internet to serve resources to your own websites or apps, you might want to

can access your server's resources. Explicitly specifying origins can provide an extra level of security.

Public or embedded APIs

If you create a public API or an API to embed in websites you don't control yourself, you probably want to allow all origins to access your server's resources. You can use the

's ACAO value (the wildcard *) in these situations, allowing requests from any origin.

Using the

value for the ACAO header enables any website to tell a user's browser to send an arbitrary request (without cookies or other credentials) to your server and read that server's response.

None of the above

If your application doesn't fit into any of the above categories,

's CORS behavior should suit your use case. You can always choose to swap to another Apollo Server integration later to
customize your CORS configuration
.

Configuring CORS options for Apollo Server

📣 New in Apollo Server 4: if you are using an Apollo Server integration (e.g.,

), you are responsible for
setting up CORS for your web framework
.

Apollo Server's standalone server (i.e.,

) serves the Access-Control-Allow-Origin HTTP header with the wildcard value (*). This allows scripts on any origin to make requests, without cookies, to the server and read its responses.

If you need to pass credentials to your server (e.g., via cookies), you can't use the wildcard value (*) for your origin. You must provide specific origins. For more details, see

.

The

doesn't support configuring your server's CORS behavior. If you want to customize your server's CORS behavior (e.g., by specifying origins or passing cookies), swap to using
expressMiddleware
(or any other Apollo Server integration).

Below, we set up and customize the CORS behavior for our expressMiddleware function using the

:

import { ApolloServer } from '@apollo/server';
import { expressMiddleware } from '@apollo/server/express4';
import { ApolloServerPluginDrainHttpServer } from '@apollo/server/plugin/drainHttpServer';
import express from 'express';
import http from 'http';
import { typeDefs, resolvers } from './schema';
import cors from 'cors';
const app = express();
const httpServer = http.createServer(app);
const server = new ApolloServer({
typeDefs,
resolvers,
plugins: [ApolloServerPluginDrainHttpServer({ httpServer })],
});
await server.start();
app.use(
'/graphql',
cors<cors.CorsRequest>({ origin: ['https://www.your-app.example', 'https://studio.apollographql.com'] }),
express.json(),
expressMiddleware(server),
);
await new Promise<void>((resolve) => httpServer.listen({ port: 4000 }, resolve));
console.log(`🚀 Server ready at http://localhost:4000/graphql`);
import { ApolloServer } from '@apollo/server';
import { expressMiddleware } from '@apollo/server/express4';
import { ApolloServerPluginDrainHttpServer } from '@apollo/server/plugin/drainHttpServer';
import express from 'express';
import http from 'http';
import { typeDefs, resolvers } from './schema';
import cors from 'cors';
const app = express();
const httpServer = http.createServer(app);
const server = new ApolloServer({
typeDefs,
resolvers,
plugins: [ApolloServerPluginDrainHttpServer({ httpServer })],
});
await server.start();
app.use(
'/graphql',
cors({ origin: ['https://www.your-app.example', 'https://studio.apollographql.com'] }),
express.json(),
expressMiddleware(server),
);
await new Promise((resolve) => httpServer.listen({ port: 4000 }, resolve));
console.log(`🚀 Server ready at http://localhost:4000/graphql`);

Invoking the cors function with no sets your server's Access-Control-Allow-Origin HTTP header to the wildcard value (*), allowing scripts on any origin to make requests. So, your server would have the same CORS behavior as startStandaloneServer.

Using the cors package directly, we can configure the Access-Control-Allow-Origin header using the

. The example above enables CORS requests from https://www.your-app.example, along with https://studio.apollographql.com.

If you want to use

as a web IDE, you should include https://studio.apollographql.com in your list of valid origins. However, if you plan to embed the
Explorer
or use
Apollo Sandbox
, you don't need to specify Studio's URL in your CORS origins because requests will go through the page embedding Studio.

Note that an origin doesn't include the path of a URL, meaning two URLs with different paths can still have the same origin. So when specifying an origin, don't include any paths or trailing slashes (e.g., use http://example.com, not http://example.com/).

If you're using another integration of Apollo Server, you can add and configure CORS for your server using your framework's standard functionality.

You can also choose to omit CORS middleware entirely to disable cross-origin requests. This is

.

Passing credentials with CORS

⚠️ The

function's CORS behavior is unalterable. To pass credentials via cookies, you must first swap to another Apollo Server integration.

If your server requires requests to

(e.g., cookies), you need to modify your CORS configuration to tell the browser those credentials are allowed.

You can enable credentials with CORS by setting the

HTTP header to true.

You must

to enable credentialed requests. If your server sends the * wildcard value for the Access-Control-Allow-Origin HTTP header, your browser will refuse to send credentials.

To enable your browser to pass credentials using expressMiddleware and the cors npm package, you can specify origins and

to true:

app.use(
'/graphql',
cors<cors.CorsRequest>({
origin: yourOrigin,
credentials: true,
}),
express.json(),
expressMiddleware(server),
);
app.use(
'/graphql',
cors({
origin: yourOrigin,
credentials: true,
}),
express.json(),
expressMiddleware(server),
);

The origin option also accepts a boolean value, which means you can technically configure CORS to allow all cross-origin requests with credentials (i.e., {origin: true, credentials: true}). This is almost certainly insecure, because any website could read information previously protected by a user's cookies. Instead, you should

whenever you enable credentials.

For examples of sending cookies and authorization headers from , see

. For more guidance on adding authentication logic to Apollo Server, see
Authentication and authorization
.

Preventing Cross-Site Request Forgery (CSRF)

By default, Apollo Server 4 ships with a feature protecting from CSRF and XS-Search attacks. If you want to disable this recommended security feature, pass csrfPrevention: false to the ApolloServer constructor.

Your server's CORS policy enables you to control which websites can talk to your server. In most cases, the browser checks your server's CORS policy by sending a

before sending the actual . This is a separate HTTP request. Unlike most HTTP requests (which use the GET or POST method), this request uses a method called OPTIONS. The browser sends an Origin header, along with some other headers that start with Access-Control-. These headers describe the kind of request that the potentially untrusted JavaScript wants to make. Your server returns a response with Access-Control-* headers describing its policies (as described above), and the browser uses that response to decide whether it's OK to send the real request. Processing the OPTIONS preflight request never actually executes GraphQL .

However, in some circumstances, the browser will not send this preflight request. If the request is considered

, then the browser just sends the request without sending a preflight first. Your server's response can still contain Access-Control-* headers, and if they indicate that the origin that sent the request shouldn't be able to access the site, the browser will hide your server's response from the problematic JavaScript code.

Unfortunately, this means that your server might execute GraphQL operations from "simple" requests sent by sites that shouldn't be allowed to communicate with your server. And these requests can even contain cookies! Although the browser will hide your server's response data from the malicious code, that might not be sufficient. If running the operation has side effects, then the attacker might not care if it can read the response or not, as long as it can use an unsuspecting user's browser (and cookies!) to trigger those side effects. Even with a read-only , the malicious code might be able to figure out something about the response based entirely on how long the query takes to execute.

Attacks that use simple requests for their side effects are called

, or CSRF. Attacks that measure the timing of simple requests are called "cross-site search" attacks, or XS-Search.

To avoid CSRF and XS-Search attacks, should refuse to execute any operation coming from a browser that has not "preflighted" that operation. There's no reliable way to detect whether a request came from a browser, so GraphQL servers should not execute any operation in a "simple request".

The most important rule for whether or not a request is

is whether it tries to set arbitrary HTTP request headers. Any request that sets the Content-Type header to application/json (or anything other than a list of three particular values) cannot be a simple request, and thus it must be preflighted. Because all POST requests recognized by Apollo Server must contain a Content-Type header specifying application/json, we can be confident that they are not simple requests and that if they come from a browser, they have been preflighted.

However, Apollo Server also handles

. GET requests do not require a Content-Type header, so they can potentially be simple requests. So how can we ensure that we only execute GET requests that are not simple requests? If we require the request to include an HTTP header that is never set automatically by the browser, then that is sufficient: requests that set HTTP headers other than the handful defined in the spec must be preflighted.

By default, Apollo Server 4 has a CSRF prevention feature enabled. This means your server only executes GraphQL operations if at least one of the following conditions is true:

  • The incoming request includes a Content-Type header that specifies a type other than text/plain, application/x-www-form-urlencoded, or multipart/form-data. Notably, a Content-Type of application/json (including any suffix like application/json; charset=utf-8) is sufficient. This means that all POST requests (which must use Content-Type: application/json) will be executed. Additionally, all versions of
    Apollo Client Web
    that support GET requests do include Content-Type: application/json headers, so any request from Apollo Client Web (POST or GET) will be executed.
  • There is a non-empty X-Apollo-Operation-Name header. This header is sent with all operations (POST or GET) by
    Apollo iOS
    (v0.13.0+) and
    Apollo Kotlin
    (all versions, including its former name "Apollo Android"), so any request from or will be executed.
  • There is a non-empty Apollo-Require-Preflight header.

Note that all HTTP header names are case-insensitive.

CSRF prevention only applies to requests that will execute GraphQL operations, not to requests that would load

.

HTTP requests that satisfy none of the conditions above will be rejected with a 400 status code and a message clearly explaining which headers need to be added in order to make the request succeed.

This feature should have no impact on legitimate use of your except in these two cases:

  • you have clients that send GET requests and are not Apollo Client Web, Apollo iOS, or Apollo Kotlin
  • you have enabled
    file uploads
    with graphql-upload

If either of these apply to you, you should configure the relevant clients to send a non-empty Apollo-Require-Preflight header along with all requests.

You can also configure the set of headers that allow execution. For example, if you use a that performs GET requests without sending Content-Type, X-Apollo-Operation-Name, or Apollo-Require-Preflight headers, but it does send a Some-Special-Header header, you can pass csrfPrevention: { requestHeaders: ['Some-Special-Header'] } to new ApolloServer(). This option replaces checking for the two headers X-Apollo-Operation-Name and Apollo-Require-Preflight in the CSRF prevention logic. The check for Content-Type remains the same.

Note that Apollo Server does not permit executing in GET requests (just queries). As long as you ensure that only mutations can have side effects, you are somewhat protected from the "side effects" aspect of CSRFs even without enabling CSRF protection. However, you would still be vulnerable to XS-Search timing attacks.

graphql-upload

⚠️ The

package has a known CSRF vulnerability and is turned on by default in version of Apollo Server 2.25.4 and below. If you are using Apollo Server 2 and do not use uploads, you can disable them by passing uploads: false to the ApolloServer constructor. If you do use uploads, you must update to Apollo Server 3.7 or later and ensure CSRF prevention is enabled to use this feature safely.

The

has a known CSRF vulnerability.

The graphql-upload package adds a special middleware that parses POST requests with a Content-Type of multipart/form-data. This is one of the three special Content-Types that can be set on

, enabling your server to process mutations sent in simple requests.

Apollo Server 4's default

blocks those attempting to use the graphql-upload package. If you use graphql-upload you should keep the CSRF prevention feature enabled, and configure your upload clients to send a non-empty Apollo-Require-Preflight header.

For example, if you use the

package with Apollo Client Web, pass {headers: {'Apollo-Require-Preflight': 'true'}} to createUploadLink.

For more information about file upload best practices, see

.

Previous
Auth
Next
Terminating SSL
Edit on GitHubEditForumsDiscord

© 2024 Apollo Graph Inc.

Privacy Policy

Company