The GraphQL Type system describes the capabilities of a GraphQL server and is used to determine if a query is valid. The type system also describes the input types of query variables to determine if values provided at runtime are valid.
TypeSystemDefinition :
- SchemaDefinition
- TypeDefinition
- DirectiveDefinition
The GraphQL language includes an IDL used to describe a GraphQL service's type system. Tools may use this definition language to provide utilities such as client code generation or service boot-strapping.
GraphQL tools which only seek to provide GraphQL query execution may choose not to parse {TypeSystemDefinition}.
A GraphQL Document which contains {TypeSystemDefinition} must not be executed; GraphQL execution services which receive a GraphQL Document containing type system definitions should return a descriptive error.
Note: The type system definition language is used throughout the remainder of this specification document when illustrating example type systems.
TypeSystemExtension :
- SchemaExtension
- TypeExtension
Type system extensions are used to represent a GraphQL type system which has been extended from some original type system. For example, this might be used by a local service to represent data a GraphQL client only accesses locally, or by a GraphQL service which is itself an extension of another GraphQL service.
SchemaDefinition : schema Directives[Const]? { RootOperationTypeDefinition+ }
RootOperationTypeDefinition : OperationType : NamedType
A GraphQL service's collective type system capabilities are referred to as that service's "schema". A schema is defined in terms of the types and directives it supports as well as the root operation types for each kind of operation: query, mutation, and subscription; this determines the place in the type system where those operations begin.
A GraphQL schema must itself be internally valid. This section describes the rules for this validation process where relevant.
All types within a GraphQL schema must have unique names. No two provided types may have the same name. No provided type may have a name which conflicts with any built in types (including Scalar and Introspection types).
All directives within a GraphQL schema must have unique names.
All types and directives defined within a schema must not have a name which begins with {"__"} (two underscores), as this is used exclusively by GraphQL's introspection system.
A schema defines the initial root operation type for each kind of operation it supports: query, mutation, and subscription; this determines the place in the type system where those operations begin.
The query
root operation type must be provided and must be an Object type.
The mutation
root operation type is optional; if it is not provided, the
service does not support mutations. If it is provided, it must be an
Object type.
Similarly, the subscription
root operation type is also optional; if it is not
provided, the service does not support subscriptions. If it is provided, it must
be an Object type.
The fields on the query
root operation type indicate what fields are available
at the top level of a GraphQL query. For example, a basic GraphQL query like:
query {
myName
}
Is valid when the query
root operation type has a field named "myName".
type Query {
myName: String
}
Similarly, the following mutation is valid if a mutation
root operation type
has a field named "setName". Note that the query
and mutation
root types
must be different types.
mutation {
setName(name: "Zuck") {
newName
}
}
When using the type system definition language, a document must include at most
one schema
definition.
In this example, a GraphQL schema is defined with both query and mutation root types:
schema {
query: MyQueryRootType
mutation: MyMutationRootType
}
type MyQueryRootType {
someField: String
}
type MyMutationRootType {
setSomeField(to: String): String
}
Default Root Operation Type Names
While any type can be the root operation type for a GraphQL operation, the type
system definition language can omit the schema definition when the query
,
mutation
, and subscription
root types are named Query
, Mutation
, and
Subscription
respectively.
Likewise, when representing a GraphQL schema using the type system definition language, a schema definition should be omitted if it only uses the default root operation type names.
This example describes a valid complete GraphQL schema, despite not explicitly
including a schema
definition. The Query
type is presumed to be the query
root operation type of the schema.
type Query {
someField: String
}
SchemaExtension :
- extend schema Directives[Const]? { OperationTypeDefinition+ }
- extend schema Directives[Const]
Schema extensions are used to represent a schema which has been extended from an original schema. For example, this might be used by a GraphQL service which adds additional operation types, or additional directives to an existing schema.
Schema Validation
Schema extensions have the potential to be invalid if incorrectly defined.
- The Schema must already be defined.
- Any directives provided must not already apply to the original Schema.
Description : StringValue
Documentation is first-class feature of GraphQL type systems. To ensure the documentation of a GraphQL service remains consistent with its capabilities, descriptions of GraphQL definitions are provided alongside their definitions and made available via introspection.
To allow GraphQL service designers to easily publish documentation alongside the capabilities of a GraphQL service, GraphQL descriptions are defined using the Markdown syntax (as specified by CommonMark). In the type system definition language, these description strings (often {BlockString}) occur immediately before the definition they describe.
All GraphQL types, fields, arguments and other definitions which can be described should provide a {Description} unless they are considered self descriptive.
As an example, this simple GraphQL schema is well described:
"""
A simple GraphQL schema which is well described.
"""
type Query {
"""
Translates a string from a given language into a different language.
"""
translate(
"The original language that `text` is provided in."
fromLanguage: Language
"The translated language to be returned."
toLanguage: Language
"The text to be translated."
text: String
): String
}
"""
The set of languages supported by `translate`.
"""
enum Language {
"English"
EN
"French"
FR
"Chinese"
CH
}
TypeDefinition :
- ScalarTypeDefinition
- ObjectTypeDefinition
- InterfaceTypeDefinition
- UnionTypeDefinition
- EnumTypeDefinition
- InputObjectTypeDefinition
The fundamental unit of any GraphQL Schema is the type. There are six kinds of named type definitions in GraphQL, and two wrapping types.
The most basic type is a Scalar
. A scalar represents a primitive value, like
a string or an integer. Oftentimes, the possible responses for a scalar field
are enumerable. GraphQL offers an Enum
type in those cases, where the type
specifies the space of valid responses.
Scalars and Enums form the leaves in response trees; the intermediate levels are
Object
types, which define a set of fields, where each field is another
type in the system, allowing the definition of arbitrary type hierarchies.
GraphQL supports two abstract types: interfaces and unions.
An Interface
defines a list of fields; Object
types that implement that
interface are guaranteed to implement those fields. Whenever the type system
claims it will return an interface, it will return a valid implementing type.
A Union
defines a list of possible types; similar to interfaces, whenever the
type system claims a union will be returned, one of the possible types will be
returned.
Finally, oftentimes it is useful to provide complex structs as inputs to
GraphQL field arguments or variables; the Input Object
type allows the schema
to define exactly what data is expected.
All of the types so far are assumed to be both nullable and singular: e.g. a scalar string returns either null or a singular string.
A GraphQL schema may describe that a field represents list of another types;
the List
type is provided for this reason, and wraps another type.
Similarly, the Non-Null
type wraps another type, and denotes that the
resulting value will never be {null} (and that an error cannot result in a
{null} value).
These two types are referred to as "wrapping types"; non-wrapping types are referred to as "named types". A wrapping type has an underlying named type, found by continually unwrapping the type until a named type is found.
Types are used throughout GraphQL to describe both the values accepted as input to arguments and variables as well as the values output by fields. These two uses categorize types as input types and output types. Some kinds of types, like Scalar and Enum types, can be used as both input types and output types; other kinds types can only be used in one or the other. Input Object types can only be used as input types. Object, Interface, and Union types can only be used as output types. Lists and Non-Null types may be used as input types or output types depending on how the wrapped type may be used.
IsInputType(type) :
- If {type} is a List type or Non-Null type:
- Let {unwrappedType} be the unwrapped type of {type}.
- Return IsInputType({unwrappedType})
- If {type} is a Scalar, Enum, or Input Object type:
- Return {true}
- Return {false}
IsOutputType(type) :
- If {type} is a List type or Non-Null type:
- Let {unwrappedType} be the unwrapped type of {type}.
- Return IsOutputType({unwrappedType})
- If {type} is a Scalar, Object, Interface, Union, or Enum type:
- Return {true}
- Return {false}
TypeExtension :
- ScalarTypeExtension
- ObjectTypeExtension
- InterfaceTypeExtension
- UnionTypeExtension
- EnumTypeExtension
- InputObjectTypeExtension
Type extensions are used to represent a GraphQL type which has been extended from some original type. For example, this might be used by a local service to represent additional fields a GraphQL client only accesses locally.
ScalarTypeDefinition : Description? scalar Name Directives[Const]?
Scalar types represent primitive leaf values in a GraphQL type system. GraphQL responses take the form of a hierarchical tree; the leaves on these trees are GraphQL scalars.
All GraphQL scalars are representable as strings, though depending on the response format being used, there may be a more appropriate primitive for the given scalar type, and server should use those types when appropriate.
GraphQL provides a number of built-in scalars, but type systems can add
additional scalars with semantic meaning. For example, a GraphQL system could
define a scalar called Time
which, while serialized as a string, promises to
conform to ISO-8601. When querying a field of type Time
, you can then rely on
the ability to parse the result with an ISO-8601 parser and use a
client-specific primitive for time. Another example of a potentially useful
custom scalar is Url
, which serializes as a string, but is guaranteed by
the server to be a valid URL.
scalar Time
scalar Url
A server may omit any of the built-in scalars from its schema, for example if a
schema does not refer to a floating-point number, then it must not include the
Float
type. However, if a schema includes a type with the name of one of the
types described here, it must adhere to the behavior described. As an example,
a server must not include a type called Int
and use it to represent
128-bit numbers, internationalization information, or anything other than what
is defined in this document.
When representing a GraphQL schema using the type system definition language, the built-in scalar types should be omitted for brevity.
Result Coercion
A GraphQL server, when preparing a field of a given scalar type, must uphold the contract the scalar type describes, either by coercing the value or producing a field error if a value cannot be coerced or if coercion may result in data loss.
A GraphQL service may decide to allow coercing different internal types to the
expected return type. For example when coercing a field of type Int
a boolean
true
value may produce 1
or a string value "123"
may be parsed as base-10
123
. However if internal type coercion cannot be reasonably performed without
losing information, then it must raise a field error.
Since this coercion behavior is not observable to clients of the GraphQL server, the precise rules of coercion are left to the implementation. The only requirement is that the server must yield values which adhere to the expected Scalar type.
Input Coercion
If a GraphQL server expects a scalar type as input to an argument, coercion is observable and the rules must be well defined. If an input value does not match a coercion rule, a query error must be raised.
GraphQL has different constant literals to represent integer and floating-point
input values, and coercion rules may apply differently depending on which type
of input value is encountered. GraphQL may be parameterized by query variables,
the values of which are often serialized when sent over a transport like HTTP. Since
some common serializations (ex. JSON) do not discriminate between integer
and floating-point values, they are interpreted as an integer input value if
they have an empty fractional part (ex. 1.0
) and otherwise as floating-point
input value.
For all types below, with the exception of Non-Null, if the explicit value {null} is provided, then the result of input coercion is {null}.
Built-in Scalars
GraphQL provides a basic set of well-defined Scalar types. A GraphQL server should support all of these types, and a GraphQL server which provide a type by these names must adhere to the behavior described below.
The Int scalar type represents a signed 32-bit numeric non-fractional value. Response formats that support a 32-bit integer or a number type should use that type to represent this scalar.
Result Coercion
Fields returning the type Int
expect to encounter 32-bit integer
internal values.
GraphQL servers may coerce non-integer internal values to integers when
reasonable without losing information, otherwise they must raise a field error.
Examples of this may include returning 1
for the floating-point number 1.0
,
or returning 123
for the string "123"
. In scenarios where coercion may lose
data, raising a field error is more appropriate. For example, a floating-point
number 1.2
should raise a field error instead of being truncated to 1
.
If the integer internal value represents a value less than -231 or greater than or equal to 231, a field error should be raised.
Input Coercion
When expected as an input type, only integer input values are accepted. All other input values, including strings with numeric content, must raise a query error indicating an incorrect type. If the integer input value represents a value less than -231 or greater than or equal to 231, a query error should be raised.
Note: Numeric integer values larger than 32-bit should either use String or a custom-defined Scalar type, as not all platforms and transports support encoding integer numbers larger than 32-bit.
The Float scalar type represents signed double-precision fractional values as specified by IEEE 754. Response formats that support an appropriate double-precision number type should use that type to represent this scalar.
Result Coercion
Fields returning the type Float
expect to encounter double-precision
floating-point internal values.
GraphQL servers may coerce non-floating-point internal values to Float
when
reasonable without losing information, otherwise they must raise a field error.
Examples of this may include returning 1.0
for the integer number 1
, or
123.0
for the string "123"
.
Input Coercion
When expected as an input type, both integer and float input values are
accepted. Integer input values are coerced to Float by adding an empty
fractional part, for example 1.0
for the integer input value 1
. All
other input values, including strings with numeric content, must raise a query
error indicating an incorrect type. If the integer input value represents a
value not representable by IEEE 754, a query error should be raised.
The String scalar type represents textual data, represented as UTF-8 character sequences. The String type is most often used by GraphQL to represent free-form human-readable text. All response formats must support string representations, and that representation must be used here.
Result Coercion
Fields returning the type String
expect to encounter UTF-8 string internal values.
GraphQL servers may coerce non-string raw values to String
when reasonable
without losing information, otherwise they must raise a field error. Examples of
this may include returning the string "true"
for a boolean true value, or the
string "1"
for the integer 1
.
Input Coercion
When expected as an input type, only valid UTF-8 string input values are accepted. All other input values must raise a query error indicating an incorrect type.
The Boolean scalar type represents true
or false
. Response formats should
use a built-in boolean type if supported; otherwise, they should use their
representation of the integers 1
and 0
.
Result Coercion
Fields returning the type Boolean
expect to encounter boolean internal values.
GraphQL servers may coerce non-boolean raw values to Boolean
when reasonable
without losing information, otherwise they must raise a field error. Examples of
this may include returning true
for non-zero numbers.
Input Coercion
When expected as an input type, only boolean input values are accepted. All other input values must raise a query error indicating an incorrect type.
The ID scalar type represents a unique identifier, often used to refetch an
object or as the key for a cache. The ID type is serialized in the same way as
a String
; however, it is not intended to be human-readable. While it is
often numeric, it should always serialize as a String
.
Result Coercion
GraphQL is agnostic to ID format, and serializes to string to ensure consistency across many formats ID could represent, from small auto-increment numbers, to large 128-bit random numbers, to base64 encoded values, or string values of a format like GUID.
GraphQL servers should coerce as appropriate given the ID formats they expect. When coercion is not possible they must raise a field error.
Input Coercion
When expected as an input type, any string (such as "4"
) or integer (such
as 4
) input value should be coerced to ID as appropriate for the ID formats
a given GraphQL server expects. Any other input value, including float input
values (such as 4.0
), must raise a query error indicating an incorrect type.
ScalarTypeExtension :
- extend scalar Name Directives[Const]
Scalar type extensions are used to represent a scalar type which has been extended from some original scalar type. For example, this might be used by a GraphQL tool or service which adds directives to an existing scalar.
Type Validation
Scalar type extensions have the potential to be invalid if incorrectly defined.
- The named type must already be defined and must be a Scalar type.
- Any directives provided must not already apply to the original Scalar type.
ObjectTypeDefinition : Description? type Name ImplementsInterfaces? Directives[Const]? FieldsDefinition?
ImplementsInterfaces :
- implements
&
? NamedType - ImplementsInterfaces & NamedType
FieldsDefinition : { FieldDefinition+ }
FieldDefinition : Description? Name ArgumentsDefinition? : Type Directives[Const]?
GraphQL queries are hierarchical and composed, describing a tree of information. While Scalar types describe the leaf values of these hierarchical queries, Objects describe the intermediate levels.
GraphQL Objects represent a list of named fields, each of which yield a value of a specific type. Object values should be serialized as ordered maps, where the queried field names (or aliases) are the keys and the result of evaluating the field is the value, ordered by the order in which they appear in the query.
All fields defined within an Object type must not have a name which begins with {"__"} (two underscores), as this is used exclusively by GraphQL's introspection system.
For example, a type Person
could be described as:
type Person {
name: String
age: Int
picture: Url
}
Where name
is a field that will yield a String
value, and age
is a field
that will yield an Int
value, and picture
is a field that will yield a
Url
value.
A query of an object value must select at least one field. This selection of fields will yield an ordered map containing exactly the subset of the object queried, which should be represented in the order in which they were queried. Only fields that are declared on the object type may validly be queried on that object.
For example, selecting all the fields of Person
:
{
name
age
picture
}
Would yield the object:
{
"name": "Mark Zuckerberg",
"age": 30,
"picture": "http://some.cdn/picture.jpg"
}
While selecting a subset of fields:
{
age
name
}
Must only yield exactly that subset:
{
"age": 30,
"name": "Mark Zuckerberg"
}
A field of an Object type may be a Scalar, Enum, another Object type, an Interface, or a Union. Additionally, it may be any wrapping type whose underlying base type is one of those five.
For example, the Person
type might include a relationship
:
type Person {
name: String
age: Int
picture: Url
relationship: Person
}
Valid queries must supply a nested field set for a field that returns an object, so this query is not valid:
{
name
relationship
}
However, this example is valid:
{
name
relationship {
name
}
}
And will yield the subset of each object type queried:
{
"name": "Mark Zuckerberg",
"relationship": {
"name": "Priscilla Chan"
}
}
Field Ordering
When querying an Object, the resulting mapping of fields are conceptually
ordered in the same order in which they were encountered during query execution,
excluding fragments for which the type does not apply and fields or
fragments that are skipped via @skip
or @include
directives. This ordering
is correctly produced when using the {CollectFields()} algorithm.
Response serialization formats capable of representing ordered maps should
maintain this ordering. Serialization formats which can only represent unordered
maps (such as JSON) should retain this order textually. That is, if two fields
{foo, bar}
were queried in that order, the resulting JSON serialization
should contain {"foo": "...", "bar": "..."}
in the same order.
Producing a response where fields are represented in the same order in which they appear in the request improves human readability during debugging and enables more efficient parsing of responses if the order of properties can be anticipated.
If a fragment is spread before other fields, the fields that fragment specifies occur in the response before the following fields.
{
foo
...Frag
qux
}
fragment Frag on Query {
bar
baz
}
Produces the ordered result:
{
"foo": 1,
"bar": 2,
"baz": 3,
"qux": 4
}
If a field is queried multiple times in a selection, it is ordered by the first time it is encountered. However fragments for which the type does not apply does not affect ordering.
{
foo
...Ignored
...Matching
bar
}
fragment Ignored on UnknownType {
qux
baz
}
fragment Matching on Query {
bar
qux
foo
}
Produces the ordered result:
{
"foo": 1,
"bar": 2,
"qux": 3
}
Also, if directives result in fields being excluded, they are not considered in the ordering of fields.
{
foo @skip(if: true)
bar
foo
}
Produces the ordered result:
{
"bar": 1,
"foo": 2
}
Result Coercion
Determining the result of coercing an object is the heart of the GraphQL executor, so this is covered in that section of the spec.
Input Coercion
Objects are never valid inputs.
Type Validation
Object types have the potential to be invalid if incorrectly defined. This set of rules must be adhered to by every Object type in a GraphQL schema.
- An Object type must define one or more fields.
- For each field of an Object type:
- The field must have a unique name within that Object type; no two fields may share the same name.
- The field must not have a name which begins with the characters {"__"} (two underscores).
- The field must return a type where {IsOutputType(fieldType)} returns {true}.
- For each argument of the field:
- The argument must not have a name which begins with the characters {"__"} (two underscores).
- The argument must accept a type where {IsInputType(argumentType)} returns {true}.
- An object type may declare that it implements one or more unique interfaces.
- An object type must be a super-set of all interfaces it implements:
- The object type must include a field of the same name for every field
defined in an interface.
- The object field must be of a type which is equal to or a sub-type of
the interface field (covariant).
- An object field type is a valid sub-type if it is equal to (the same type as) the interface field type.
- An object field type is a valid sub-type if it is an Object type and the interface field type is either an Interface type or a Union type and the object field type is a possible type of the interface field type.
- An object field type is a valid sub-type if it is a List type and the interface field type is also a List type and the list-item type of the object field type is a valid sub-type of the list-item type of the interface field type.
- An object field type is a valid sub-type if it is a Non-Null variant of a valid sub-type of the interface field type.
- The object field must include an argument of the same name for every
argument defined in the interface field.
- The object field argument must accept the same type (invariant) as the interface field argument.
- The object field may include additional arguments not defined in the interface field, but any additional argument must not be required, e.g. must not be of a non-nullable type.
- The object field must be of a type which is equal to or a sub-type of
the interface field (covariant).
- The object type must include a field of the same name for every field
defined in an interface.
ArgumentsDefinition : ( InputValueDefinition+ )
InputValueDefinition : Description? Name : Type DefaultValue? Directives[Const]?
Object fields are conceptually functions which yield values. Occasionally object fields can accept arguments to further specify the return value. Object field arguments are defined as a list of all possible argument names and their expected input types.
All arguments defined within a field must not have a name which begins with {"__"} (two underscores), as this is used exclusively by GraphQL's introspection system.
For example, a Person
type with a picture
field could accept an argument to
determine what size of an image to return.
type Person {
name: String
picture(size: Int): Url
}
GraphQL queries can optionally specify arguments to their fields to provide these arguments.
This example query:
{
name
picture(size: 600)
}
May yield the result:
{
"name": "Mark Zuckerberg",
"picture": "http://some.cdn/picture_600.jpg"
}
The type of an object field argument must be an input type (any type except an Object, Interface, or Union type).
Fields in an object may be marked as deprecated as deemed necessary by the application. It is still legal to query for these fields (to ensure existing clients are not broken by the change), but the fields should be appropriately treated in documentation and tooling.
When using the type system definition language, @deprecated
directives are
used to indicate that a field is deprecated:
type ExampleType {
oldField: String @deprecated
}
ObjectTypeExtension :
- extend type Name ImplementsInterfaces? Directives[Const]? FieldsDefinition
- extend type Name ImplementsInterfaces? Directives[Const]
- extend type Name ImplementsInterfaces
Object type extensions are used to represent a type which has been extended from some original type. For example, this might be used to represent local data, or by a GraphQL service which is itself an extension of another GraphQL service.
In this example, a local data field is added to a Story
type:
extend type Story {
isHiddenLocally: Boolean
}
Object type extensions may choose not to add additional fields, instead only adding interfaces or directives.
In this example, a directive is added to a User
type without adding fields:
extend type User @addedDirective
Type Validation
Object type extensions have the potential to be invalid if incorrectly defined.
- The named type must already be defined and must be an Object type.
- The fields of an Object type extension must have unique names; no two fields may share the same name.
- Any fields of an Object type extension must not be already defined on the original Object type.
- Any directives provided must not already apply to the original Object type.
- Any interfaces provided must not be already implemented by the original Object type.
- The resulting extended object type must be a super-set of all interfaces it implements.
InterfaceTypeDefinition : Description? interface Name Directives[Const]? FieldsDefinition?
GraphQL interfaces represent a list of named fields and their arguments. GraphQL objects can then implement these interfaces which requires that the object type will define all fields defined by those interfaces.
Fields on a GraphQL interface have the same rules as fields on a GraphQL object; their type can be Scalar, Object, Enum, Interface, or Union, or any wrapping type whose base type is one of those five.
For example, an interface NamedEntity
may describe a required field and types
such as Person
or Business
may then implement this interface to guarantee
this field will always exist.
Types may also implement multiple interfaces. For example, Business
implements
both the NamedEntity
and ValuedEntity
interfaces in the example below.
interface NamedEntity {
name: String
}
interface ValuedEntity {
value: Int
}
type Person implements NamedEntity {
name: String
age: Int
}
type Business implements NamedEntity & ValuedEntity {
name: String
value: Int
employeeCount: Int
}
Fields which yield an interface are useful when one of many Object types are expected, but some fields should be guaranteed.
To continue the example, a Contact
might refer to NamedEntity
.
type Contact {
entity: NamedEntity
phoneNumber: String
address: String
}
This allows us to write a query for a Contact
that can select the
common fields.
{
entity {
name
}
phoneNumber
}
When querying for fields on an interface type, only those fields declared on
the interface may be queried. In the above example, entity
returns a
NamedEntity
, and name
is defined on NamedEntity
, so it is valid. However,
the following would not be a valid query:
{
entity {
name
age
}
phoneNumber
}
because entity
refers to a NamedEntity
, and age
is not defined on that
interface. Querying for age
is only valid when the result of entity
is a
Person
; the query can express this using a fragment or an inline fragment:
{
entity {
name
... on Person {
age
}
},
phoneNumber
}
Result Coercion
The interface type should have some way of determining which object a given result corresponds to. Once it has done so, the result coercion of the interface is the same as the result coercion of the object.
Input Coercion
Interfaces are never valid inputs.
Type Validation
Interface types have the potential to be invalid if incorrectly defined.
- An Interface type must define one or more fields.
- For each field of an Interface type:
- The field must have a unique name within that Interface type; no two fields may share the same name.
- The field must not have a name which begins with the characters {"__"} (two underscores).
- The field must return a type where {IsOutputType(fieldType)} returns {true}.
- For each argument of the field:
- The argument must not have a name which begins with the characters {"__"} (two underscores).
- The argument must accept a type where {IsInputType(argumentType)} returns {true}.
InterfaceTypeExtension :
- extend interface Name Directives[Const]? FieldsDefinition
- extend interface Name Directives[Const]
Interface type extensions are used to represent an interface which has been extended from some original interface. For example, this might be used to represent common local data on many types, or by a GraphQL service which is itself an extension of another GraphQL service.
In this example, an extended data field is added to a NamedEntity
type along
with the types which implement it:
extend interface NamedEntity {
nickname: String
}
extend type Person {
nickname: String
}
extend type Business {
nickname: String
}
Interface type extensions may choose not to add additional fields, instead only adding directives.
In this example, a directive is added to a NamedEntity
type without
adding fields:
extend interface NamedEntity @addedDirective
Type Validation
Interface type extensions have the potential to be invalid if incorrectly defined.
- The named type must already be defined and must be an Interface type.
- The fields of an Interface type extension must have unique names; no two fields may share the same name.
- Any fields of an Interface type extension must not be already defined on the original Interface type.
- Any Object type which implemented the original Interface type must also be a super-set of the fields of the Interface type extension (which may be due to Object type extension).
- Any directives provided must not already apply to the original Interface type.
UnionTypeDefinition : Description? union Name Directives[Const]? UnionMemberTypes?
UnionMemberTypes :
- =
|
? NamedType - UnionMemberTypes | NamedType
GraphQL Unions represent an object that could be one of a list of GraphQL Object types, but provides for no guaranteed fields between those types. They also differ from interfaces in that Object types declare what interfaces they implement, but are not aware of what unions contain them.
With interfaces and objects, only those fields defined on the type can be queried directly; to query other fields on an interface, typed fragments must be used. This is the same as for unions, but unions do not define any fields, so no fields may be queried on this type without the use of type refining fragments or inline fragments.
For example, we might define the following types:
union SearchResult = Photo | Person
type Person {
name: String
age: Int
}
type Photo {
height: Int
width: Int
}
type SearchQuery {
firstSearchResult: SearchResult
}
When querying the firstSearchResult
field of type SearchQuery
, the
query would ask for all fields inside of a fragment indicating the appropriate
type. If the query wanted the name if the result was a Person, and the height if
it was a photo, the following query is invalid, because the union itself
defines no fields:
{
firstSearchResult {
name
height
}
}
Instead, the query would be:
{
firstSearchResult {
... on Person {
name
}
... on Photo {
height
}
}
}
Union members may be defined with an optional leading |
character to aid
formatting when representing a longer list of possible types:
union SearchResult =
| Photo
| Person
Result Coercion
The union type should have some way of determining which object a given result corresponds to. Once it has done so, the result coercion of the union is the same as the result coercion of the object.
Input Coercion
Unions are never valid inputs.
Type Validation
Union types have the potential to be invalid if incorrectly defined.
- A Union type must include one or more unique member types.
- The member types of a Union type must all be Object base types; Scalar, Interface and Union types must not be member types of a Union. Similarly, wrapping types must not be member types of a Union.
UnionTypeExtension :
- extend union Name Directives[Const]? UnionMemberTypes
- extend union Name Directives[Const]
Union type extensions are used to represent a union type which has been extended from some original union type. For example, this might be used to represent additional local data, or by a GraphQL service which is itself an extension of another GraphQL service.
Type Validation
Union type extensions have the potential to be invalid if incorrectly defined.
- The named type must already be defined and must be a Union type.
- The member types of a Union type extension must all be Object base types; Scalar, Interface and Union types must not be member types of a Union. Similarly, wrapping types must not be member types of a Union.
- All member types of a Union type extension must be unique.
- All member types of a Union type extension must not already be a member of the original Union type.
- Any directives provided must not already apply to the original Union type.
EnumTypeDefinition : Description? enum Name Directives[Const]? EnumValuesDefinition?
EnumValuesDefinition : { EnumValueDefinition+ }
EnumValueDefinition : Description? EnumValue Directives[Const]?
GraphQL Enum types, like scalar types, also represent leaf values in a GraphQL type system. However Enum types describe the set of possible values.
Enums are not references for a numeric value, but are unique values in their own right. They may serialize as a string: the name of the represented value.
In this example, an Enum type called Direction
is defined:
enum Direction {
NORTH
EAST
SOUTH
WEST
}
Result Coercion
GraphQL servers must return one of the defined set of possible values. If a reasonable coercion is not possible they must raise a field error.
Input Coercion
GraphQL has a constant literal to represent enum input values. GraphQL string literals must not be accepted as an enum input and instead raise a query error.
Query variable transport serializations which have a different representation for non-string symbolic values (for example, EDN) should only allow such values as enum input values. Otherwise, for most transport serializations that do not, strings may be interpreted as the enum input value with the same name.
Type Validation
Enum types have the potential to be invalid if incorrectly defined.
- An Enum type must define one or more unique enum values.
EnumTypeExtension :
- extend enum Name Directives[Const]? EnumValuesDefinition
- extend enum Name Directives[Const]
Enum type extensions are used to represent an enum type which has been extended from some original enum type. For example, this might be used to represent additional local data, or by a GraphQL service which is itself an extension of another GraphQL service.
Type Validation
Enum type extensions have the potential to be invalid if incorrectly defined.
- The named type must already be defined and must be an Enum type.
- All values of an Enum type extension must be unique.
- All values of an Enum type extension must not already be a value of the original Enum.
- Any directives provided must not already apply to the original Enum type.
InputObjectTypeDefinition : Description? input Name Directives[Const]? InputFieldsDefinition?
InputFieldsDefinition : { InputValueDefinition+ }
Fields may accept arguments to configure their behavior. These inputs are often scalars or enums, but they sometimes need to represent more complex values.
A GraphQL Input Object defines a set of input fields; the input fields are either scalars, enums, or other input objects. This allows arguments to accept arbitrarily complex structs.
In this example, an Input Object called Point2D
describes x
and y
inputs:
input Point2D {
x: Float
y: Float
}
Note: The GraphQL Object type ({ObjectTypeDefinition}) defined above is inappropriate for re-use here, because Object types can contain fields that define arguments or contain references to interfaces and unions, neither of which is appropriate for use as an input argument. For this reason, input objects have a separate type in the system.
Result Coercion
An input object is never a valid result. Input Object types cannot be the return type of an Object or Interface field.
Input Coercion
The value for an input object should be an input object literal or an unordered map supplied by a variable, otherwise a query error must be thrown. In either case, the input object literal or unordered map must not contain any entries with names not defined by a field of this input object type, otherwise an error must be thrown.
The result of coercion is an unordered map with an entry for each field both defined by the input object type and for which a value exists. The resulting map is constructed with the following rules:
-
If no value is provided for a defined input object field and that field definition provides a default value, the default value should be used. If no default value is provided and the input object field's type is non-null, an error should be thrown. Otherwise, if the field is not required, then no entry is added to the coerced unordered map.
-
If the value {null} was provided for an input object field, and the field's type is not a non-null type, an entry in the coerced unordered map is given the value {null}. In other words, there is a semantic difference between the explicitly provided value {null} versus having not provided a value.
-
If a literal value is provided for an input object field, an entry in the coerced unordered map is given the result of coercing that value according to the input coercion rules for the type of that field.
-
If a variable is provided for an input object field, the runtime value of that variable must be used. If the runtime value is {null} and the field type is non-null, a field error must be thrown. If no runtime value is provided, the variable definition's default value should be used. If the variable definition does not provide a default value, the input object field definition's default value should be used.
Following are examples of input coercion for an input object type with a
String
field a
and a required (non-null) Int!
field b
:
input ExampleInputObject {
a: String
b: Int!
}
Literal Value | Variables | Coerced Value |
---|---|---|
{ a: "abc", b: 123 } |
{} |
{ a: "abc", b: 123 } |
{ a: null, b: 123 } |
{} |
{ a: null, b: 123 } |
{ b: 123 } |
{} |
{ b: 123 } |
{ a: $var, b: 123 } |
{ var: null } |
{ a: null, b: 123 } |
{ a: $var, b: 123 } |
{} |
{ b: 123 } |
{ b: $var } |
{ var: 123 } |
{ b: 123 } |
$var |
{ var: { b: 123 } } |
{ b: 123 } |
"abc123" |
{} |
Error: Incorrect value |
$var |
{ var: "abc123" } } |
Error: Incorrect value |
{ a: "abc", b: "123" } |
{} |
Error: Incorrect value for field {b} |
{ a: "abc" } |
{} |
Error: Missing required field {b} |
{ b: $var } |
{} |
Error: Missing required field {b}. |
$var |
{ var: { a: "abc" } } |
Error: Missing required field {b} |
{ a: "abc", b: null } |
{} |
Error: {b} must be non-null. |
{ b: $var } |
{ var: null } |
Error: {b} must be non-null. |
{ b: 123, c: "xyz" } |
{} |
Error: Unexpected field {c} |
Type Validation
- An Input Object type must define one or more input fields.
- For each input field of an Input Object type:
- The input field must have a unique name within that Input Object type; no two input fields may share the same name.
- The input field must not have a name which begins with the characters {"__"} (two underscores).
- The input field must accept a type where {IsInputType(inputFieldType)} returns {true}.
InputObjectTypeExtension :
- extend input Name Directives[Const]? InputFieldsDefinition
- extend input Name Directives[Const]
Input object type extensions are used to represent an input object type which has been extended from some original input object type. For example, this might be used by a GraphQL service which is itself an extension of another GraphQL service.
Type Validation
Input object type extensions have the potential to be invalid if incorrectly defined.
- The named type must already be defined and must be a Input Object type.
- All fields of an Input Object type extension must have unique names.
- All fields of an Input Object type extension must not already be a field of the original Input Object.
- Any directives provided must not already apply to the original Input Object type.
A GraphQL list is a special collection type which declares the type of each
item in the List (referred to as the item type of the list). List values are
serialized as ordered lists, where each item in the list is serialized as per
the item type. To denote that a field uses a List type the item type is wrapped
in square brackets like this: pets: [Pet]
.
Result Coercion
GraphQL servers must return an ordered list as the result of a list type. Each item in the list must be the result of a result coercion of the item type. If a reasonable coercion is not possible it must raise a field error. In particular, if a non-list is returned, the coercion should fail, as this indicates a mismatch in expectations between the type system and the implementation.
If a list's item type is nullable, then errors occuring during preparation or coercion of an individual item in the list must result in a the value {null} at that position in the list along with an error added to the response. If a list's item type is non-null, an error occuring at an individual item in the list must result in a field error for the entire list.
Note: For more information on the error handling process, see "Errors and Non-Nullability" within the Execution section.
Input Coercion
When expected as an input, list values are accepted only when each item in the list can be accepted by the list's item type.
If the value passed as an input to a list type is not a list and not the {null} value, then the result of input coercion is a list of size one, where the single item value is the result of input coercion for the list's item type on the provided value (note this may apply recursively for nested lists).
This allow inputs which accept one or many arguments (sometimes referred to as "var args") to declare their input type as a list while for the common case of a single value, a client can just pass that value directly rather than constructing the list.
Following are examples of input coercion with various list types and values:
Expected Type | Provided Value | Coerced Value |
---|---|---|
[Int] |
[1, 2, 3] |
[1, 2, 3] |
[Int] |
[1, "b", true] |
Error: Incorrect item value |
[Int] |
1 |
[1] |
[Int] |
null |
null |
[[Int]] |
[[1], [2, 3]] |
[[1], [2, 3] |
[[Int]] |
[1, 2, 3] |
Error: Incorrect item value |
[[Int]] |
1 |
[[1]] |
[[Int]] |
null |
null |
By default, all types in GraphQL are nullable; the {null} value is a valid
response for all of the above types. To declare a type that disallows null,
the GraphQL Non-Null type can be used. This type wraps an underlying type,
and this type acts identically to that wrapped type, with the exception
that {null} is not a valid response for the wrapping type. A trailing
exclamation mark is used to denote a field that uses a Non-Null type like this:
name: String!
.
Nullable vs. Optional
Fields are always optional within the context of a query, a field may be omitted and the query is still valid. However fields that return Non-Null types will never return the value {null} if queried.
Inputs (such as field arguments), are always optional by default. However a non-null input type is required. In addition to not accepting the value {null}, it also does not accept omission. For the sake of simplicity nullable types are always optional and non-null types are always required.
Result Coercion
In all of the above result coercions, {null} was considered a valid value. To coerce the result of a Non-Null type, the coercion of the wrapped type should be performed. If that result was not {null}, then the result of coercing the Non-Null type is that result. If that result was {null}, then a field error must be raised.
Note: When a field error is raised on a non-null value, the error propogates to the parent field. For more information on this process, see "Errors and Non-Nullability" within the Execution section.
Input Coercion
If an argument or input-object field of a Non-Null type is not provided, is provided with the literal value {null}, or is provided with a variable that was either not provided a value at runtime, or was provided the value {null}, then a query error must be raised.
If the value provided to the Non-Null type is provided with a literal value other than {null}, or a Non-Null variable value, it is coerced using the input coercion for the wrapped type.
A non-null argument cannot be omitted:
{
fieldWithNonNullArg
}
The value {null} cannot be provided to a non-null argument:
{
fieldWithNonNullArg(nonNullArg: null)
}
A variable of a nullable type cannot be provided to a non-null argument:
query withNullableVariable($var: String) {
fieldWithNonNullArg(nonNullArg: $var)
}
Note: The Validation section defines providing a nullable variable type to a non-null input type as invalid.
Type Validation
- A Non-Null type must not wrap another Non-Null type.
The List and Non-Null wrapping types can compose, representing more complex types. The rules for result coercion and input coercion of Lists and Non-Null types apply in a recursive fashion.
For example if the inner item type of a List is Non-Null (e.g. [T!]
), then
that List may not contain any {null} items. However if the inner type of a
Non-Null is a List (e.g. [T]!
), then {null} is not accepted however an empty
list is accepted.
Following are examples of result coercion with various types and values:
Expected Type | Internal Value | Coerced Result |
---|---|---|
[Int] |
[1, 2, 3] |
[1, 2, 3] |
[Int] |
null |
null |
[Int] |
[1, 2, null] |
[1, 2, null] |
[Int] |
[1, 2, Error] |
[1, 2, null] (With logged error) |
[Int]! |
[1, 2, 3] |
[1, 2, 3] |
[Int]! |
null |
Error: Value cannot be null |
[Int]! |
[1, 2, null] |
[1, 2, null] |
[Int]! |
[1, 2, Error] |
[1, 2, null] (With logged error) |
[Int!] |
[1, 2, 3] |
[1, 2, 3] |
[Int!] |
null |
null |
[Int!] |
[1, 2, null] |
null (With logged coercion error) |
[Int!] |
[1, 2, Error] |
null (With logged error) |
[Int!]! |
[1, 2, 3] |
[1, 2, 3] |
[Int!]! |
null |
Error: Value cannot be null |
[Int!]! |
[1, 2, null] |
Error: Item cannot be null |
[Int!]! |
[1, 2, Error] |
Error: Error occurred in item |
DirectiveDefinition : Description? directive @ Name ArgumentsDefinition? on DirectiveLocations
DirectiveLocations :
|
? DirectiveLocation- DirectiveLocations | DirectiveLocation
DirectiveLocation :
- ExecutableDirectiveLocation
- TypeSystemDirectiveLocation
ExecutableDirectiveLocation : one of
QUERY
MUTATION
SUBSCRIPTION
FIELD
FRAGMENT_DEFINITION
FRAGMENT_SPREAD
INLINE_FRAGMENT
TypeSystemDirectiveLocation : one of
SCHEMA
SCALAR
OBJECT
FIELD_DEFINITION
ARGUMENT_DEFINITION
INTERFACE
UNION
ENUM
ENUM_VALUE
INPUT_OBJECT
INPUT_FIELD_DEFINITION
A GraphQL schema describes directives which are used to annotate various parts of a GraphQL document as an indicator that they should be evaluated differently by a validator, executor, or client tool such as a code generator.
GraphQL implementations should provide the @skip
and @include
directives.
GraphQL implementations that support the type system definition language must
provide the @deprecated
directive if representing deprecated portions of
the schema.
Directives must only be used in the locations they are declared to belong in. In this example, a directive is defined which can be used to annotate a fragment definition:
directive @example on FIELD
fragment SomeFragment on SomeType {
field @example
}
Directive locations may be defined with an optional leading |
character to aid
formatting when representing a longer list of possible locations:
directive @example on
| FIELD
| FRAGMENT_SPREAD
| INLINE_FRAGMENT
Directives can also be used to annotate the type system definition language as well, which can be a useful tool for supplying additional metadata in order to generate GraphQL execution services, produce client generated runtime code, or many other useful extensions of the GraphQL semantics.
In this example, the directive @example
annotates field and argument definitions:
directive @example on FIELD_DEFINITION | ARGUMENT_DEFINITION
type SomeType {
field(arg: Int @example): String @example
}
While defining a directive, it must not reference itself directly or indirectly:
directive @invalidExample(arg: String @invalidExample) on ARGUMENT_DEFINITION
Validation
- A directive definition must not contain the use of a directive which references itself directly.
- A directive definition must not contain the use of a directive which references itself indirectly by referencing a Type or Directive which transitively includes a reference to this directive.
- The directive must not have a name which begins with the characters {"__"} (two underscores).
- For each argument of the directive:
- The argument must not have a name which begins with the characters {"__"} (two underscores).
- The argument must accept a type where {IsInputType(argumentType)} returns {true}.
directive @skip(if: Boolean!) on FIELD | FRAGMENT_SPREAD | INLINE_FRAGMENT
The @skip
directive may be provided for fields, fragment spreads, and
inline fragments, and allows for conditional exclusion during execution as
described by the if argument.
In this example experimentalField
will only be queried if the variable
$someTest
has the value false
.
query myQuery($someTest: Boolean) {
experimentalField @skip(if: $someTest)
}
directive @include(if: Boolean!) on FIELD | FRAGMENT_SPREAD | INLINE_FRAGMENT
The @include
directive may be provided for fields, fragment spreads, and
inline fragments, and allows for conditional inclusion during execution as
described by the if argument.
In this example experimentalField
will only be queried if the variable
$someTest
has the value true
query myQuery($someTest: Boolean) {
experimentalField @include(if: $someTest)
}
Note: Neither @skip
nor @include
has precedence over the other. In the case
that both the @skip
and @include
directives are provided in on the same the
field or fragment, it must be queried only if the @skip
condition is false
and the @include
condition is true. Stated conversely, the field or fragment
must not be queried if either the @skip
condition is true or the
@include
condition is false.
directive @deprecated(
reason: String = "No longer supported"
) on FIELD_DEFINITION | ENUM_VALUE
The @deprecated
directive is used within the type system definition language
to indicate deprecated portions of a GraphQL service's schema, such as
deprecated fields on a type or deprecated enum values.
Deprecations include a reason for why it is deprecated, which is formatted using Markdown syntax (as specified by CommonMark).
In this example type definition, oldField
is deprecated in favor of
using newField
.
type ExampleType {
newField: String
oldField: String @deprecated(reason: "Use `newField`.")
}