Apollo Gateway composes federated schemas into a single schema, with each receiving appropriately delegated operations while running as a service. An implementing service is a schema that conforms to the Apollo Federation specification, which itself is complaint with the GraphQL specification. This approach exposes a single data graph while enabling concern-based separation of types and fields across services, ensuring that the data graph remains simple to consume.
One way to think of Apollo Federation is that it enables microservices for GraphQL: combining multiple GraphQL services together into a single composed GraphQL gateway.
The following guide will overview this example found in the neo4j-graphql.js
Github repo, based on the Apollo Federation demo, to demonstrate current behavior with neo4j-graphql-js
.
As with the Federation demo services, we use buildFederatedSchema to build four schema:
Each federated schema is then exposed as an individual, implementing GraphQL service using ApolloServer. Finally, the service names and URLs of those servers are provided to ApolloGateway, starting a server for a single API based on the composition of the federated schema.
You can follow these steps to run the example:
- Clone or download the neo4j-graphql-js repository
Run these Npm scripts to install dependencies and start the gateway:
npm run install
npm run start-gateway
Upon successful startup you should see:
🚀 Accounts ready at http://localhost:4001/
🚀 Reviews ready at http://localhost:4002/
🚀 Products ready at http://localhost:4003/
🚀 Inventory ready at http://localhost:4004/
🚀 Apollo Gateway ready at http://localhost:4000/
The following mutation can then be run to merge example data into your Neo4j database:
mutation {
MergeSeedData
}
Image of example data in Neo4j Bloom
With your Neo4j database active and the gateway and services running, you can run current integration tests. The below Npm script merges example data, runs tests, then deletes the data.
npm run test-gateway
Let's consider a reduced version of the example schema:
import { ApolloServer } from 'apollo-server';
import { buildFederatedSchema } from '@apollo/federation';
import { ApolloGateway } from '@apollo/gateway';
import { neo4jgraphql, makeAugmentedSchema, cypher } from 'neo4j-graphql-js';
import neo4j from 'neo4j-driver';
const driver = neo4j.driver(
process.env.NEO4J_URI || 'bolt://localhost:7687',
neo4j.auth.basic(
process.env.NEO4J_USER || 'neo4j',
process.env.NEO4J_PASSWORD || 'letmein'
)
);
const augmentedAccountsSchema = makeAugmentedSchema({
typeDefs: gql`
type Account @key(fields: "id") {
id: ID!
name: String
username: String
}
`,
config: {
isFederated: true
}
});
const accountsService = new ApolloServer({
schema: buildFederatedSchema([augmentedAccountsSchema]),
context: ({ req }) => {
return {
driver,
req
};
}
});
const reviewsService = new ApolloServer({
schema: buildFederatedSchema([
makeAugmentedSchema({
typeDefs: gql`
extend type Account @key(fields: "id") {
id: ID! @external
# Example: A reference to an entity defined in -this service-
# as the type of a field added to an entity defined
# in -another service-
reviews(body: String): [Review]
@relation(name: "AUTHOR_OF", direction: OUT)
}
type Review @key(fields: "id") {
id: ID!
body: String
# Example: A reference to an entity defined in -another service-
# as the type of a field added to an entity defined
# in -this service-
author: Account @relation(name: "AUTHOR_OF", direction: IN)
product: Product @relation(name: "REVIEW_OF", direction: OUT)
}
extend type Product @key(fields: "upc") {
upc: ID! @external
# Same case as Account.reviews
reviews(body: String): [Review]
@relation(name: "REVIEW_OF", direction: IN)
}
`,
config: {
isFederated: true
}
})
]),
context: ({ req }) => {
return {
driver,
req
};
}
});
const productService = new ApolloServer({
schema: buildFederatedSchema([
makeAugmentedSchema({
typeDefs: gql`
type Product @key(fields: "upc") {
upc: String!
name: String
price: Int
weight: Int
}
`,
config: {
isFederated: true
}
})
]),
context: ({ req }) => {
return {
driver,
req
};
}
});
const inventoryService = new ApolloServer({
schema: buildFederatedSchema([
makeAugmentedSchema({
typeDefs: gql`
extend type Product @key(fields: "upc") {
upc: String! @external
weight: Int @external
price: Int @external
inStock: Boolean
shippingEstimate: Int
@requires(fields: "weight price")
@cypher(
statement: """
CALL apoc.when($price > 900,
// free for expensive items
'RETURN 0 AS value',
// estimate is based on weight
'RETURN $weight * 0.5 AS value',
{
price: $price,
weight: $weight
})
YIELD value
RETURN value.value
"""
)
}
`,
config: {
isFederated: true
}
})
]),
context: ({ req }) => {
return {
driver,
req
};
}
});
// Start implementing services
accountsService.listen({ port: 4001 }).then(({ url }) => {
console.log(`🚀 Accounts ready at ${url}`);
});
reviewsService.listen({ port: 4002 }).then(({ url }) => {
console.log(`🚀 Reviews ready at ${url}`);
});
productsService.listen({ port: 4003 }).then(({ url }) => {
console.log(`🚀 Products ready at ${url}`);
});
inventoryService.listen({ port: 4003 }).then(({ url }) => {
console.log(`🚀 Products ready at ${url}`);
});
// Configure gateway
const gateway = new ApolloGateway({
serviceList: [
{ name: 'accounts', url: 'http://localhost:4001/graphql' },
{ name: 'reviews', url: 'http://localhost:4002/graphql' },
{ name: 'products', url: 'http://localhost:4003/graphql' },
{ name: 'inventory', url: 'http://localhost:4004/graphql' }
]
});
// Start gateway
(async () => {
const server = new ApolloServer({
gateway
});
server.listen({ port: 4000 }).then(({ url }) => {
console.log(`🚀 Apollo Gateway ready at ${url}`);
});
})();
All services in this example use neo4j-graphql-js
and the same Neo4j database as a data source. This is only for demonstration and testing. If you have an existing monolithic GraphQL server, Gateway could compose your schema with another schema that uses neo4j-graphql-js
, enabling incremental adoption.
To support using schema augmentation with Federation, the isFederated
configuration option can be set to true
. For now, this does two things.
- Ensures the return format is a schema module - an object containing
typeDefs
andresolvers
. A schema module is the expected argument format forbuildFederatedSchema
. - The
isFederated
configuration flag is not required for supporting the use ofneo4jgraphql
to resolve a federated operation. However, two new kinds of resolvers are now generated during schema augmentation to handle entity references and extensions.
An entity is an object type with its primary keys defined using a new @key type directive provided by Federation. When a service defines an object type entity, another service can extend it, allowing that service to reference it on fields and to add fields to it that the service will be responsible for resolving.
To define an object type as an entity, its primary key fields are provided to the fields
argument of the @key
type directive. This allows Apollo Gateway to identify Account
type data between services. In the below schema, the id
field of the Account
type is specified as a key.
type Account @key(fields: "id") {
id: ID!
name: String
username: String
}
type Review @key(fields: "id") {
id: ID!
body: String
authorID: ID
}
type Product @key(fields: "upc") {
upc: String!
name: String!
price: Int
}
An entity can define multiple keys and its relationship fields can be used as compound keys. When a compound key is provided in a representation, neo4jgraphql
will generate a Cypher translation that selects only entity nodes with relationships to other nodes of the key field type that have property values matching those provided for the compound key. This translation is generated using current support for translating a relationship field query filtering argument for the exact name of the relationship field used as a compound key.
A reference to an entity defined in a given service occurs when that entity is used as the type of a field added to an entity defined in another service.
With the above entities defined throughout three services, an entity is introduced from one service into another by using the GraphQL extend
keyword. This allows for that entity to be referenced on fields of entities defined by the extending service.
For example, we can extend the Account
type in the reviews service and reference it as the type of a new author
field on Review
:
extend type Account @key(fields: "id") {
id: ID! @external
}
type Review @key(fields: "id") {
id: ID!
body: String
authorID: ID
author: Account
}
Another new directive provided by Federation is the @external field directive. When a service extends an entity from another service, the fields
of the @key
directive for the entity must be marked as @external
so field types can be known during runtime when Gateway builds a query plan.
When the Review
entity is the root field type of a query, the federated operation begins with the reviews service. If neo4jgraphql is used to resolve the query, it will be translated under normal conditions:
query {
Review {
id
body
author {
id
}
}
}
Query: {
async Review(object, params, context, resolveInfo) {
return await neo4jgraphql(object, params, context, resolveInfo);
}
}
This would result in querying Account
type data in the reviews service to obtain the id
key field for the author
of each queried Review
. In a federated schema, this Account
type data for a Review
author
is called a representation. Field resolvers for fields of the entity type being represented provide representations to other services in order to fetch additional data for the entity, given its specified keys.
Here is an example of a resolver for the author
field of the Review
type in the reviews service, providing a representation of an Account
entity.
Review: {
author(review, context, resolveInfo) {
return { __typename: "Account", id: "1" };
}
}
Because a query with neo4jgraphql
resolves at the root field, all representations appropriate for the data the reviews service is responsible for are obtained and provided by the root field translation. When executing a federated query, neo4jgraphql
decides a default __typename
. The result is that field resolvers do not normally need to be written to provide representations.
In this example, we have not yet selected an external field of the Account
entity which is not a key. We have only selected the field of an Account
key the reviews service can provide. So there is no need to query the accounts service. If we were to select additional fields of the Account
entity, such as name
, which the reviews service is not responsible for resolving, it would result in the following:
query {
Review {
id
body
author {
name
}
}
}
Gateway would delegate the following selections to the reviews service:
query {
Review {
id
body
author {
id
}
}
}
The Account
entity representation data resolved for the author
field would then be provided to a new kind of resolver defined with a __resolveReference function in the Account
type resolvers of the accounts service.
An implementing service uses reference resolvers for providing data for the fields it resolves for the entities it defines. These reference resolvers are generated during schema augmentation.
Account: {
async __resolveReference(object, context, resolveInfo) {
return await neo4jgraphql(object, {}, context, resolveInfo);
}
}
In this case, Gateway delegates resolving the following selections to the accounts service.
query {
Account {
name
}
}
When deciding how to use neo4jgraphql
to resolve the author
field, there are a few possibilities we can consider. We may use a property on the Review
type in a @cypher directive on its author
field to select related Account
data.
type Review @key(fields: "id") {
id: ID!
body: String
authorID: ID
author: Account
@cypher(
statement: """
MATCH (a:Account {
id: this.authorID
})
RETURN a
"""
)
}
If Review
and Account
data are stored in Neo4j as a property graph, we can use the @relation field directive to support generated translation to Cypher that selects the related Account
through relationships.
type Review @key(fields: "id") {
id: ID!
body: String
author: Account @relation(name: "AUTHOR_OF", direction: IN)
}
In both cases, the id
field from each selected Account
, related to each resolved Review
in some way, is provided from the reviews service to the accounts service. These representations are then used by the accounts service to select Account
entities and return a value for the name
field of each.
The situation is similar with the product
field on the Review
entity in our example.
extend type Account @key(fields: "id") {
id: ID! @external
}
extend type Product @key(fields: "upc") {
upc: ID! @external
}
type Review @key(fields: "id") {
id: ID!
body: String
author: Account
@cypher(
statement: """
MATCH (a:Account {
id: this.authorID
})
RETURN a
"""
)
product: Product @relation(name: "REVIEW_OF", direction: OUT)
}
In this case, the products service would need to use a reference resolver for the Product
entity, in order to provide its name
, price
, or weight
fields when selected through the product
field referencing it.
Product: {
async __resolveReference(object, context, resolveInfo) {
return await neo4jgraphql(object, {}, context, resolveInfo);
}
}
An extension of an entity defined in a given service occurs when a field is added to it by another service. This enables concern-based separation of types and fields across services. Expanding on the example schema of the reviews service, a reviews
field is added to the type extension of the Account
entity below.
extend type Account @key(fields: "id") {
id: ID! @external
name: String @external
reviews(body: String): [Review] @relation(name: "AUTHOR_OF", direction: OUT)
}
type Review @key(fields: "id") {
id: ID!
body: String
author: Account @relation(name: "AUTHOR_OF", direction: IN)
product: Product @relation(name: "REVIEW_OF", direction: OUT)
}
extend type Product @key(fields: "upc") {
upc: ID! @external
reviews(body: String): [Review] @relation(name: "REVIEW_OF", direction: IN)
}
Any other service that can reference the Account
type can now select the reviews
field added by the reviews service. The Review
entity may or may not be the root field type of a query that selects the reviews
field, so the reviews service may not receive the root operation. When it does, as with the following query, the normal type resolver for the Review
field of the Query
type would be called.
query {
Review {
id
body
author {
id
name
reviews
}
}
}
The root field type of a query that selects the reviews
field may or may not be Account
. The Gateway query plan may begin at the accounts service, or at some other service selecting the reviews
field through a reference to the Account
entity when it is used as the type of a field on another entity defined by the other service. In the below example, the accounts service initially receives the query.
query {
Account {
id
name
reviews
}
}
In any case, after the service that receives the root query resolves data for any selected Account
fields it's responsible for (keys, etc.), the query plan will send any obtained Account
representations to the reviews service for use in resolving the reviews
field selection set its responsible for, such as body
, from appropriately related Review
entity data.
Resolving fields added to entities from other services also requires the new __resolveReference type resolver. In the case of the reviews
field added to the Account
extension, the reviews service must provide a reference resolver for the Account
entity in order to support resolving Review
entity data selected through the reviews
field.
An implementing service uses reference resolvers for providing data for the fields it resolves for its extensions of entities defined by other services. These reference resolvers are generated during schema augmentation.
Account: {
async __resolveReference(object, context, resolveInfo) {
const entityData = await neo4jgraphql(object, {}, context, resolveInfo);
return {
// Entity data possibly previously resolved from other services
...object,
// Entity data now resolved for any selected fields this service is responsible for
...entityData
};
}
}
Federation also provides a @requires field directive that a service can use to define @external
fields of an extended entity from another service as necessary for resolving the requiring field. This new directive also takes a fields
argument, used to define the required fields.
The resolution of a entity extension field with a @requires
directive waits on its required fields to be resolved from the services responsible for them. If the required fields are not selected in a given query that selects the requiring field, they will still be requested from the service that resolves them and provided in representations for resolving the requiring field.
When using neo4jgraphql
to resolve a @requires
field, generated translation uses any values resolved for its fields
as additional selection keys for the entity defining the field.
Let's take a look at the inventory service from the Federation demo. The Product
entity defined by the products service is extended to provide additional fields when it is queried.
extend type Product @key(fields: "upc") {
upc: String! @external
weight: Int @external
price: Int @external
inStock: Boolean
shippingEstimate: Int @requires(fields: "weight price")
}
In the demo, the execution of a shippingEstimate field resolver for the Product
entity in the inventory service waits on the products service to resolve the required @external
fields, weight
and price
, to be provided as a representation used in conditional logic.
Product: {
shippingEstimate(object) {
// free for expensive items
if (object.price > 1000) return 0;
// estimate is based on weight
return object.weight * 0.5;
}
}
In this case, our example uses a @cypher
directive in combination with a @requires
directive in order to support translating it with custom Cypher after the required Product
data has been resolved. Instead of using a field resolver, the above conditional logic can be expressed in Cypher using a CALL
to the apoc.when Neo4j database procedure from APOC - a database plugin already used in supporting some other aspects of translation in neo4j-graphql-js
.
Now we can finally take a look at our example inventory schema.
extend type Product @key(fields: "upc") {
upc: String! @external
weight: Int @external
price: Int @external
inStock: Boolean
shippingEstimate: Int
@requires(fields: "weight price")
@cypher(
statement: """
CALL apoc.when($price > 900,
// free for expensive items
'RETURN 0 AS value',
// estimate is based on weight
'RETURN $weight * 0.5 AS value',
{
price: $price,
weight: $weight
})
YIELD value
RETURN value.value
"""
)
}
As an optional optimization, the Federation @provides directive can be used when both a service defining an entity and another service extending it can access the same data source to resolve its fields. This directive also takes a fields
argument, used by a given service to define which fields of an extended entity it's responsible for resolving, given those fields could be resolved by either service.
Here are some additional resources to learn more about Apollo Federation and using GraphQL with Neo4j.
- Introducing Apollo Federation
As part of Apollo Day Seattle 2019, this video overviews why Apollo developed Federation & Gateway as the evolution of schema stitching and demonstrates features by explaining the schema for the
accounts
,products
, andreviews
services of the Federation demo. - Your First Federated Schema with Apollo Server
As part of the Apollo Space Camp online event, part two of this video demonstrates using Gateway with services for
astronauts
andmissions
, and a repository you can clone to try it out.
- Apollo Federation Introduction - An Apollo Blog article introducing Federation by explaining the services used in the Federation demo.
- Schema stitching guide - Apollo provides a guide for migrating from schema stitching to using federated schemas.
- @apollo/federation - This package provides utilities for creating GraphQL microservices, which can be combined into a single endpoint through tools like Apollo Gateway.
- @apollo/gateway - A GraphQL to Cypher query execution layer for Neo4j and JavaScript GraphQL implementations.
- neo4j-graphql-js - A GraphQL to Cypher query execution layer for Neo4j and JavaScript GraphQL implementations.
- neo4j-driver - A database driver for Neo4j 3.0.0+.
- Awesome Procedures On Cypher (APOC) - APOC is an add-on library for Neo4j that provides hundreds of procedures and functions adding a lot of useful functionality.