Skip to content
This repository was archived by the owner on Sep 3, 2021. It is now read-only.

Latest commit

 

History

History
679 lines (526 loc) · 16.7 KB

graphql-schema-generation-augmentation.md

File metadata and controls

679 lines (526 loc) · 16.7 KB

GraphQL Schema Generation And Augmentation

neo4j-graphql.js can create an executable GraphQL schema from GraphQL type definitions or augment an existing GraphQL schema, adding

  • auto-generated mutations and queries (including resolvers)
  • ordering and pagination fields
  • filter fields

Usage

To add these augmentations to the schema use either the augmentSchema or makeAugmentedSchema functions exported from neo4j-graphql-js.

makeAugmentedSchema - generate executable schema from GraphQL type definitions only

import { makeAugmentedSchema } from 'neo4j-graphql-js';

const typeDefs = `
type Movie {
    movieId: ID!
    title: String @search
    year: Int
    imdbRating: Float
    genres: [Genre] @relation(name: "IN_GENRE", direction: OUT)
    similar: [Movie] @cypher(
        statement: """MATCH (this)<-[:RATED]-(:User)-[:RATED]->(s:Movie) 
                      WITH s, COUNT(*) AS score 
                      RETURN s ORDER BY score DESC LIMIT {first}""")
}

type Genre {
    name: String
    movies: [Movie] @relation(name: "IN_GENRE", direction: IN)
}`;

const schema = makeAugmentedSchema({ typeDefs });

augmentSchema - when you already have a GraphQL schema object

import { augmentSchema } from 'neo4j-graphql-js';
import { makeExecutableSchema } from 'apollo-server';
import { typeDefs, resolvers } from './movies-schema';

const schema = makeExecutableSchema({
  typeDefs,
  resolvers
});

const augmentedSchema = augmentSchema(schema);

Generated Queries

Based on the type definitions provided, fields are added to the Query type for each type defined. For example, the following queries are added based on the type definitions above:

Movie(
  movieID: ID!
  title: String
  year: Int
  imdbRating: Float
  _id: Int
  first: Int
  offset: Int
  orderBy: _MovieOrdering
): [Movie]
Genre(
  name: String
  _id: Int
  first: Int
  offset: Int
  orderBy: _GenreOrdering
): [Genre]

Generated Mutations

Create, update, delete, and add relationship mutations are also generated for each type. For example:

Create

CreateMovie(
  movieId: ID!
  title: String
  year: Int
  imdbRating: Float
): Movie

If an ID typed field is specified in the type definition, but not provided when the create mutation is executed then a random UUID will be generated and stored in the database.

Update

UpdateMovie(
  movieId: ID!
  title: String!
  year: Int
  imdbRating: Float
): Movie

Delete

DeleteMovie(
  movieId: ID!
): Movie

Merge

In Neo4j, the MERGE clause ensures that a pattern exists in the graph. Either the pattern already exists, or it needs to be created. See the Cypher manual for more information.

MergeMovie(
  movieId: ID!
  title: String
  year: Int
  imdbRating: Float
)

Add / Remove Relationship

Input types are used for relationship mutations.

Add a relationship with no properties:

AddMovieGenres(
  from: _MovieInput!
  to: _GenreInput!
): _AddMovieGenresPayload

and return a special payload type specific to the relationship:

type _AddMovieGenresPayload {
  from: Movie
  to: Genre
}

Relationship types with properties have an additional data parameter for specifying relationship properties:

AddMovieRatings(
  from: _UserInput!
  to: _MovieInput!
  data: _RatedInput!
): _AddMovieRatingsPayload

type _RatedInput {
  timestamp: Int
  rating: Float
}

Remove relationship:

RemoveMovieGenres(
  from: _MovieInput!
  to: _GenreInput!
): _RemoveMovieGenresPayload

Merge relationship:

MergeMovieGenres(
  from: _MovieInput!
  to: _GenreInput!
):  _MergeMovieGenresPayload

Update relationship

Used to update properties on a relationship type.

UpdateUserRated(
  from: _UserInput!
  to: _MovieInput!
  data: _RatedInput!
): _UpdateUserRatedPayload

See the relationship types section for more information, including how to declare these types in the schema and the relationship type query API.

Experimental API

When the config.experimental boolean flag is true, input objects are generated for node property selection and input.

config: {
  experimental: true;
}

For the following variant of the above schema, using the @id, @unique, and @index directives on the Movie type:

type Movie {
  movieId: ID! @id
  title: String! @unique
  year: Int @index
  imdbRating: Float
  genres: [Genre] @relation(name: "IN_GENRE", direction: OUT)
  similar: [Movie]
    @cypher(
      statement: """
      MATCH (this)<-[:RATED]-(:User)-[:RATED]->(s:Movie)
      WITH s, COUNT(*) AS score
      RETURN s ORDER BY score DESC LIMIT {first}
      """
    )
}

type Genre {
  name: String @id
  movies: [Movie] @relation(name: "IN_GENRE", direction: IN)
}

This alternative API would be generated for the Movie type:

type Mutation {
  # Node mutations
  CreateMovie(data: _MovieCreate!): Movie
  UpdateMovie(where: _MovieWhere!, data: _MovieUpdate!): Movie
  DeleteMovie(where: _MovieWhere!): Movie
  # Relationship mutations
  AddMovieGenres(from: _MovieWhere!, to: _GenreWhere!): _AddMovieGenresPayload
  RemoveMovieGenres(
    from: _MovieWhere!
    to: _GenreWhere!
  ): _RemoveMovieGenresPayload
  MergeMovieGenres(
    from: _MovieWhere!
    to: _GenreWhere!
  ): _MergeMovieGenresPayload
}

For a node type such as Movie, this API design generates an input object for a node selection where argument and an input object for a data node property input argument. Complex filtering arguments, similar to those used for the filter argument in the query API, are generated for each key field (@id, @unique, and @index) on the Movie type:

Property Selection

input _MovieWhere {
  AND: [_MovieWhere!]
  OR: [_MovieWhere!]
  movieId: ID
  movieId_not: ID
  movieId_in: [ID!]
  movieId_not_in: [ID!]
  movieId_contains: ID
  movieId_not_contains: ID
  movieId_starts_with: ID
  movieId_not_starts_with: ID
  movieId_ends_with: ID
  movieId_not_ends_with: ID
  title: String
  title_not: String
  title_in: [String!]
  title_not_in: [String!]
  title_contains: String
  title_not_contains: String
  title_starts_with: String
  title_not_starts_with: String
  title_ends_with: String
  title_not_ends_with: String
  year: Int
  year_not: Int
  year_in: [Int!]
  year_not_in: [Int!]
  year_lt: Int
  year_lte: Int
  year_gt: Int
  year_gte: Int
}

Property Creation

input _MovieCreate {
  movieId: ID
  title: String!
  year: Int
  imdbRating: Float!
}

Create

Similar to non-experimental API, when no value is provided for the @id field of a created node type, that field recieves an auto-generated value using apoc.create.uuid():

mutation {
  CreateMovie(data: { title: "abc", imdbRating: 10, year: 2020 }) {
    movieId
  }
}
{
  "data": {
    "CreateMovie": {
      "movieId": "1a2afaa0-5c74-436f-90be-57c4cbb791b0"
    }
  }
}

Property Update

input _MovieUpdate {
  movieId: ID
  title: String
  year: Int
  imdbRating: Float
}

Update

This mutation API allows for updating key field values:

mutation {
  UpdateMovie(where: { title: "abc", year: 2020 }, data: { year: 2021 }) {
    movieId
  }
}

Delete

mutation {
  DeleteMovie(where: { year: 2020 }) {
    movieId
  }
}

Merge

Because the Cypher MERGE clause cannot be combined with WHERE, node merge operations can use multiple key fields for node selection, but do not have complex filtering options:

type Mutation {
  MergeMovie(where: _MovieKeys!, data: _MovieCreate!): Movie
}
input _MovieKeys {
  movieId: ID
  title: String
  year: Int
}
mutation {
  MergeMovie(
    where: { movieId: "123" }
    data: { title: "abc", imdbRating: 10, year: 2021 }
  ) {
    movieId
  }
}

In the above MergeMovie mutation, a value is provided for the movieId argument, which is an @id key field on the Movie type. Similar to node creation, the apoc.create.uuid procedure is used to generate a value for an @id key, but only when first creating a node (using the Cypher ON CREATE clause of MERGE) and if no value is provided in both the where and data arguments:

mutation {
  MergeMovie(where: { year: 2021 }, data: { imdbRating: 10, title: "abc" }) {
    movieId
  }
}
{
  "data": {
    "MergeMovie": {
      "movieId": "fd44cd00-1ba1-4da8-894d-d38ba8e5513b"
    }
  }
}

Ordering

neo4j-graphql-js supports ordering results through the use of an orderBy parameter. The augment schema process will add orderBy to fields as well as appropriate ordering enum types (where values are a combination of each field and _asc for ascending order and _desc for descending order). For example:

enum _MovieOrdering {
  title_asc
  title_desc
  year_asc
  year_desc
  imdbRating_asc
  imdbRating_desc
  _id_asc
  _id_desc
}

Pagination

neo4j-graphql-js support pagination through the use of first and offset parameters. These parameters are added to the appropriate fields as part of the schema augmentation process.

Filtering

The auto-generated filter argument is used to support complex field level filtering in queries.

See the Complex GraphQL Filtering section for details.

Full-text Search

The auto-generated search argument is used to support using full-text search indexes set using searchSchema with @search directive fields.

In our example schema, no value is provided to the index argument of the @search directive on the title field of the Movie node type. So a default name of MovieSearch is used.

The below example would query the MovieSearch search index for the value river (case-insensitive) on the title property of Movie type nodes. Only matching nodes with a score at or above the threshold argument would be returned.

query {
  Movie(search: { MovieSearch: "river", threshold: 97.5 }) {
    title
  }
}

When the search argument is used, the query selects from the results of calling the db.index.fulltext.queryNodes procedure:

CALL db.index.fulltext.queryNodes("MovieSearch", "river")
YIELD node AS movie, score  WHERE score >= 97.5

The remaining translation of the query is then applied to the yielded nodes. If a value for the Float type threshold argument is provided, only matching nodes with a resulting score at or above it will be returned.

The search argument is not yet available on relationship fields and using multiple named search index arguments at once is not supported.

Type Extensions

The GraphQL specification describes using the extend keyword to represent a type which has been extended from another type. The following subsections describe the available behaviors, such as extending an object type to represent additional fields. When using schema augmentation, type extensions are applied when building the fields and types used for the generated Query and Mutation API.

Schema

The schema type can be extended with operation types.

schema {
  query: Query
}
extend schema {
  mutation: Mutation
}

Scalars

Scalar types can be extended with additional directives.

scalar myScalar

extend scalar myScalar @myDirective

Objects & Interfaces

Object and interface types can be extended with additional fields and directives. Objects can also be extended to implement interfaces.

Fields
type Movie {
  movieId: ID!
  title: String
  year: Int
  imdbRating: Float
}

extend type Movie {
  genres: [Genre] @relation(name: "IN_GENRE", direction: OUT)
  similar: [Movie]
    @cypher(
      statement: """
      MATCH (this)<-[:RATED]-(:User)-[:RATED]->(s:Movie)
      WITH s, COUNT(*) AS score
      RETURN s ORDER BY score DESC LIMIT {first}
      """
    )
}
Directives
type Movie {
  movieId: ID!
}

extend type Movie @additionalLabels(labels: ["newMovieLabel"])
Operation types
type Query {
  Movie: [Movie]
}

extend type Query {
  customMovie: Movie
}
Implementing interfaces
interface Person {
  userId: ID!
  name: String
}

type Actor {
  userId: ID!
  name: String
}

extend type Actor implements Person

Unions

A union type can be extended with additional member types or directives.

union MovieSearch = Movie | Genre | Book

extend union MovieSearch = Actor | OldCamera

Enums

Enum types can be extended with additional values or directives.

enum BookGenre {
  Mystery
  Science
}

extend enum BookGenre {
  Math
}

Input Objects

Input object types can be extended with additional input fields or directives.

input CustomMutationInput {
  title: String
}

extend input CustomMutationInput {
  year: Int
  imdbRating: Float
}

Configuring Schema Augmentation

You may not want to generate Query and Mutation fields for all types included in your type definitions, or you may not want to generate a Mutation type at all. Both augmentSchema and makeAugmentedSchema can be passed an optional configuration object to specify which types should be included in queries and mutations.

Disabling Auto-generated Queries and Mutations

By default, both Query and Mutation types are auto-generated from type definitions and will include fields for all types in the schema. An optional config object can be passed to disable generating either the Query or Mutation type.

Using makeAugmentedSchema, disable generating the Mutation type:

import { makeAugmentedSchema } from "neo4j-graphql-js";

const schema = makeAugmentedSchema({
  typeDefs,
  config: {
    query: true, // default
    mutation: false
  }
}

Using augmentSchema, disable auto-generating mutations:

import { augmentSchema } from 'neo4j-graphql-js';

const augmentedSchema = augmentSchema(schema, {
  query: true, //default
  mutation: false
});

Excluding Types

To exclude specific types from being included in the generated Query and Mutation types, pass those type names in to the config object under exclude. For example:

import { makeAugmentedSchema } from 'neo4j-graphql-js';

const schema = makeAugmentedSchema({
  typeDefs,
  config: {
    query: {
      exclude: ['MyCustomPayload']
    },
    mutation: {
      exclude: ['MyCustomPayload']
    }
  }
});

See the API Reference for augmentSchema and makeAugmentedSchema for more information.

Excluding relationships

To exclude specific relationships between types from being resolved using the generated neo4j resolver, use the @neo4j_ignore directive. This is useful when combining other data sources with your neo4j graph. Used alongside excluding types from augmentation, it allows data related to graph nodes to be blended with eth neo4j result. For example:

type IMDBReview {
  rating: Int
  text: String
}

extend type Movie {
  imdbUrl: String
  imdbReviews: [IMDBReview] @neo4j_ignore
}
const schema = makeAugmentedSchema({
    resolvers: {
        Movie: {
            imdbReviews: ({imdbURL}) => // fetch data from IMDB and return JSON result
        }
    }
    config: {query: {exclude: ['IMDBReview']}}
])

Resources