graphql
Version:
A Query Language and Runtime which can target any service.
502 lines (388 loc) • 19.2 kB
JavaScript
import find from '../polyfills/find';
import flatMap from '../polyfills/flatMap';
import objectValues from '../polyfills/objectValues';
import objectEntries from '../polyfills/objectEntries';
import inspect from '../jsutils/inspect';
import { GraphQLError } from '../error/GraphQLError';
import { isValidNameError } from '../utilities/assertValidName';
import { isEqualType, isTypeSubTypeOf } from '../utilities/typeComparators';
import { isDirective } from './directives';
import { isIntrospectionType } from './introspection';
import { assertSchema } from './schema';
import { isObjectType, isInterfaceType, isUnionType, isEnumType, isInputObjectType, isNamedType, isNonNullType, isInputType, isOutputType, isRequiredArgument } from './definition';
/**
* Implements the "Type Validation" sub-sections of the specification's
* "Type System" section.
*
* Validation runs synchronously, returning an array of encountered errors, or
* an empty array if no errors were encountered and the Schema is valid.
*/
export function validateSchema(schema) {
// First check to ensure the provided value is in fact a GraphQLSchema.
assertSchema(schema); // If this Schema has already been validated, return the previous results.
if (schema.__validationErrors) {
return schema.__validationErrors;
} // Validate the schema, producing a list of errors.
var context = new SchemaValidationContext(schema);
validateRootTypes(context);
validateDirectives(context);
validateTypes(context); // Persist the results of validation before returning to ensure validation
// does not run multiple times for this schema.
var errors = context.getErrors();
schema.__validationErrors = errors;
return errors;
}
/**
* Utility function which asserts a schema is valid by throwing an error if
* it is invalid.
*/
export function assertValidSchema(schema) {
var errors = validateSchema(schema);
if (errors.length !== 0) {
throw new Error(errors.map(function (error) {
return error.message;
}).join('\n\n'));
}
}
var SchemaValidationContext =
/*#__PURE__*/
function () {
function SchemaValidationContext(schema) {
this._errors = [];
this.schema = schema;
}
var _proto = SchemaValidationContext.prototype;
_proto.reportError = function reportError(message, nodes) {
var _nodes = Array.isArray(nodes) ? nodes.filter(Boolean) : nodes;
this.addError(new GraphQLError(message, _nodes));
};
_proto.addError = function addError(error) {
this._errors.push(error);
};
_proto.getErrors = function getErrors() {
return this._errors;
};
return SchemaValidationContext;
}();
function validateRootTypes(context) {
var schema = context.schema;
var queryType = schema.getQueryType();
if (!queryType) {
context.reportError('Query root type must be provided.', schema.astNode);
} else if (!isObjectType(queryType)) {
context.reportError("Query root type must be Object type, it cannot be ".concat(inspect(queryType), "."), getOperationTypeNode(schema, queryType, 'query'));
}
var mutationType = schema.getMutationType();
if (mutationType && !isObjectType(mutationType)) {
context.reportError('Mutation root type must be Object type if provided, it cannot be ' + "".concat(inspect(mutationType), "."), getOperationTypeNode(schema, mutationType, 'mutation'));
}
var subscriptionType = schema.getSubscriptionType();
if (subscriptionType && !isObjectType(subscriptionType)) {
context.reportError('Subscription root type must be Object type if provided, it cannot be ' + "".concat(inspect(subscriptionType), "."), getOperationTypeNode(schema, subscriptionType, 'subscription'));
}
}
function getOperationTypeNode(schema, type, operation) {
var operationNodes = getAllSubNodes(schema, function (node) {
return node.operationTypes;
});
for (var _i2 = 0; _i2 < operationNodes.length; _i2++) {
var node = operationNodes[_i2];
if (node.operation === operation) {
return node.type;
}
}
return type.astNode;
}
function validateDirectives(context) {
for (var _i4 = 0, _context$schema$getDi2 = context.schema.getDirectives(); _i4 < _context$schema$getDi2.length; _i4++) {
var directive = _context$schema$getDi2[_i4];
// Ensure all directives are in fact GraphQL directives.
if (!isDirective(directive)) {
context.reportError("Expected directive but got: ".concat(inspect(directive), "."), directive && directive.astNode);
continue;
} // Ensure they are named correctly.
validateName(context, directive); // TODO: Ensure proper locations.
// Ensure the arguments are valid.
var argNames = Object.create(null);
var _loop = function _loop(_i6, _directive$args2) {
var arg = _directive$args2[_i6];
var argName = arg.name; // Ensure they are named correctly.
validateName(context, arg); // Ensure they are unique per directive.
if (argNames[argName]) {
context.reportError("Argument @".concat(directive.name, "(").concat(argName, ":) can only be defined once."), directive.astNode && directive.args.filter(function (_ref) {
var name = _ref.name;
return name === argName;
}).map(function (_ref2) {
var astNode = _ref2.astNode;
return astNode;
}));
return "continue";
}
argNames[argName] = true; // Ensure the type is an input type.
if (!isInputType(arg.type)) {
context.reportError("The type of @".concat(directive.name, "(").concat(argName, ":) must be Input Type ") + "but got: ".concat(inspect(arg.type), "."), arg.astNode);
}
};
for (var _i6 = 0, _directive$args2 = directive.args; _i6 < _directive$args2.length; _i6++) {
var _ret = _loop(_i6, _directive$args2);
if (_ret === "continue") continue;
}
}
}
function validateName(context, node) {
// If a schema explicitly allows some legacy name which is no longer valid,
// allow it to be assumed valid.
if (context.schema.__allowedLegacyNames.indexOf(node.name) !== -1) {
return;
} // Ensure names are valid, however introspection types opt out.
var error = isValidNameError(node.name, node.astNode || undefined);
if (error) {
context.addError(error);
}
}
function validateTypes(context) {
var validateInputObjectCircularRefs = createInputObjectCircularRefsValidator(context);
var typeMap = context.schema.getTypeMap();
for (var _i8 = 0, _objectValues2 = objectValues(typeMap); _i8 < _objectValues2.length; _i8++) {
var type = _objectValues2[_i8];
// Ensure all provided types are in fact GraphQL type.
if (!isNamedType(type)) {
context.reportError("Expected GraphQL named type but got: ".concat(inspect(type), "."), type && type.astNode);
continue;
} // Ensure it is named correctly (excluding introspection types).
if (!isIntrospectionType(type)) {
validateName(context, type);
}
if (isObjectType(type)) {
// Ensure fields are valid
validateFields(context, type); // Ensure objects implement the interfaces they claim to.
validateObjectInterfaces(context, type);
} else if (isInterfaceType(type)) {
// Ensure fields are valid.
validateFields(context, type);
} else if (isUnionType(type)) {
// Ensure Unions include valid member types.
validateUnionMembers(context, type);
} else if (isEnumType(type)) {
// Ensure Enums have valid values.
validateEnumValues(context, type);
} else if (isInputObjectType(type)) {
// Ensure Input Object fields are valid.
validateInputFields(context, type); // Ensure Input Objects do not contain non-nullable circular references
validateInputObjectCircularRefs(type);
}
}
}
function validateFields(context, type) {
var fields = objectValues(type.getFields()); // Objects and Interfaces both must define one or more fields.
if (fields.length === 0) {
context.reportError("Type ".concat(type.name, " must define one or more fields."), getAllNodes(type));
}
for (var _i10 = 0; _i10 < fields.length; _i10++) {
var field = fields[_i10];
// Ensure they are named correctly.
validateName(context, field); // Ensure the type is an output type
if (!isOutputType(field.type)) {
context.reportError("The type of ".concat(type.name, ".").concat(field.name, " must be Output Type ") + "but got: ".concat(inspect(field.type), "."), field.astNode && field.astNode.type);
} // Ensure the arguments are valid
var argNames = Object.create(null);
var _loop2 = function _loop2(_i12, _field$args2) {
var arg = _field$args2[_i12];
var argName = arg.name; // Ensure they are named correctly.
validateName(context, arg); // Ensure they are unique per field.
if (argNames[argName]) {
context.reportError("Field argument ".concat(type.name, ".").concat(field.name, "(").concat(argName, ":) can only be defined once."), field.args.filter(function (_ref3) {
var name = _ref3.name;
return name === argName;
}).map(function (_ref4) {
var astNode = _ref4.astNode;
return astNode;
}));
}
argNames[argName] = true; // Ensure the type is an input type
if (!isInputType(arg.type)) {
context.reportError("The type of ".concat(type.name, ".").concat(field.name, "(").concat(argName, ":) must be Input ") + "Type but got: ".concat(inspect(arg.type), "."), arg.astNode && arg.astNode.type);
}
};
for (var _i12 = 0, _field$args2 = field.args; _i12 < _field$args2.length; _i12++) {
_loop2(_i12, _field$args2);
}
}
}
function validateObjectInterfaces(context, object) {
var implementedTypeNames = Object.create(null);
for (var _i14 = 0, _object$getInterfaces2 = object.getInterfaces(); _i14 < _object$getInterfaces2.length; _i14++) {
var iface = _object$getInterfaces2[_i14];
if (!isInterfaceType(iface)) {
context.reportError("Type ".concat(inspect(object), " must only implement Interface types, ") + "it cannot implement ".concat(inspect(iface), "."), getAllImplementsInterfaceNodes(object, iface));
continue;
}
if (implementedTypeNames[iface.name]) {
context.reportError("Type ".concat(object.name, " can only implement ").concat(iface.name, " once."), getAllImplementsInterfaceNodes(object, iface));
continue;
}
implementedTypeNames[iface.name] = true;
validateObjectImplementsInterface(context, object, iface);
}
}
function validateObjectImplementsInterface(context, object, iface) {
var objectFieldMap = object.getFields();
var ifaceFieldMap = iface.getFields(); // Assert each interface field is implemented.
for (var _i16 = 0, _objectEntries2 = objectEntries(ifaceFieldMap); _i16 < _objectEntries2.length; _i16++) {
var _ref6 = _objectEntries2[_i16];
var fieldName = _ref6[0];
var ifaceField = _ref6[1];
var objectField = objectFieldMap[fieldName]; // Assert interface field exists on object.
if (!objectField) {
context.reportError("Interface field ".concat(iface.name, ".").concat(fieldName, " expected but ").concat(object.name, " does not provide it."), [ifaceField.astNode].concat(getAllNodes(object)));
continue;
} // Assert interface field type is satisfied by object field type, by being
// a valid subtype. (covariant)
if (!isTypeSubTypeOf(context.schema, objectField.type, ifaceField.type)) {
context.reportError("Interface field ".concat(iface.name, ".").concat(fieldName, " expects type ") + "".concat(inspect(ifaceField.type), " but ").concat(object.name, ".").concat(fieldName, " ") + "is type ".concat(inspect(objectField.type), "."), [ifaceField.astNode && ifaceField.astNode.type, objectField.astNode && objectField.astNode.type]);
} // Assert each interface field arg is implemented.
var _loop3 = function _loop3(_i18, _ifaceField$args2) {
var ifaceArg = _ifaceField$args2[_i18];
var argName = ifaceArg.name;
var objectArg = find(objectField.args, function (arg) {
return arg.name === argName;
}); // Assert interface field arg exists on object field.
if (!objectArg) {
context.reportError("Interface field argument ".concat(iface.name, ".").concat(fieldName, "(").concat(argName, ":) expected but ").concat(object.name, ".").concat(fieldName, " does not provide it."), [ifaceArg.astNode, objectField.astNode]);
return "continue";
} // Assert interface field arg type matches object field arg type.
// (invariant)
// TODO: change to contravariant?
if (!isEqualType(ifaceArg.type, objectArg.type)) {
context.reportError("Interface field argument ".concat(iface.name, ".").concat(fieldName, "(").concat(argName, ":) ") + "expects type ".concat(inspect(ifaceArg.type), " but ") + "".concat(object.name, ".").concat(fieldName, "(").concat(argName, ":) is type ") + "".concat(inspect(objectArg.type), "."), [ifaceArg.astNode && ifaceArg.astNode.type, objectArg.astNode && objectArg.astNode.type]);
} // TODO: validate default values?
};
for (var _i18 = 0, _ifaceField$args2 = ifaceField.args; _i18 < _ifaceField$args2.length; _i18++) {
var _ret2 = _loop3(_i18, _ifaceField$args2);
if (_ret2 === "continue") continue;
} // Assert additional arguments must not be required.
var _loop4 = function _loop4(_i20, _objectField$args2) {
var objectArg = _objectField$args2[_i20];
var argName = objectArg.name;
var ifaceArg = find(ifaceField.args, function (arg) {
return arg.name === argName;
});
if (!ifaceArg && isRequiredArgument(objectArg)) {
context.reportError("Object field ".concat(object.name, ".").concat(fieldName, " includes required argument ").concat(argName, " that is missing from the Interface field ").concat(iface.name, ".").concat(fieldName, "."), [objectArg.astNode, ifaceField.astNode]);
}
};
for (var _i20 = 0, _objectField$args2 = objectField.args; _i20 < _objectField$args2.length; _i20++) {
_loop4(_i20, _objectField$args2);
}
}
}
function validateUnionMembers(context, union) {
var memberTypes = union.getTypes();
if (memberTypes.length === 0) {
context.reportError("Union type ".concat(union.name, " must define one or more member types."), getAllNodes(union));
}
var includedTypeNames = Object.create(null);
for (var _i22 = 0; _i22 < memberTypes.length; _i22++) {
var memberType = memberTypes[_i22];
if (includedTypeNames[memberType.name]) {
context.reportError("Union type ".concat(union.name, " can only include type ").concat(memberType.name, " once."), getUnionMemberTypeNodes(union, memberType.name));
continue;
}
includedTypeNames[memberType.name] = true;
if (!isObjectType(memberType)) {
context.reportError("Union type ".concat(union.name, " can only include Object types, ") + "it cannot include ".concat(inspect(memberType), "."), getUnionMemberTypeNodes(union, String(memberType)));
}
}
}
function validateEnumValues(context, enumType) {
var enumValues = enumType.getValues();
if (enumValues.length === 0) {
context.reportError("Enum type ".concat(enumType.name, " must define one or more values."), getAllNodes(enumType));
}
for (var _i24 = 0; _i24 < enumValues.length; _i24++) {
var enumValue = enumValues[_i24];
var valueName = enumValue.name; // Ensure valid name.
validateName(context, enumValue);
if (valueName === 'true' || valueName === 'false' || valueName === 'null') {
context.reportError("Enum type ".concat(enumType.name, " cannot include value: ").concat(valueName, "."), enumValue.astNode);
}
}
}
function validateInputFields(context, inputObj) {
var fields = objectValues(inputObj.getFields());
if (fields.length === 0) {
context.reportError("Input Object type ".concat(inputObj.name, " must define one or more fields."), getAllNodes(inputObj));
} // Ensure the arguments are valid
for (var _i26 = 0; _i26 < fields.length; _i26++) {
var field = fields[_i26];
// Ensure they are named correctly.
validateName(context, field); // Ensure the type is an input type
if (!isInputType(field.type)) {
context.reportError("The type of ".concat(inputObj.name, ".").concat(field.name, " must be Input Type ") + "but got: ".concat(inspect(field.type), "."), field.astNode && field.astNode.type);
}
}
}
function createInputObjectCircularRefsValidator(context) {
// Modified copy of algorithm from 'src/validation/rules/NoFragmentCycles.js'.
// Tracks already visited types to maintain O(N) and to ensure that cycles
// are not redundantly reported.
var visitedTypes = Object.create(null); // Array of types nodes used to produce meaningful errors
var fieldPath = []; // Position in the type path
var fieldPathIndexByTypeName = Object.create(null);
return detectCycleRecursive; // This does a straight-forward DFS to find cycles.
// It does not terminate when a cycle was found but continues to explore
// the graph to find all possible cycles.
function detectCycleRecursive(inputObj) {
if (visitedTypes[inputObj.name]) {
return;
}
visitedTypes[inputObj.name] = true;
fieldPathIndexByTypeName[inputObj.name] = fieldPath.length;
var fields = objectValues(inputObj.getFields());
for (var _i28 = 0; _i28 < fields.length; _i28++) {
var field = fields[_i28];
if (isNonNullType(field.type) && isInputObjectType(field.type.ofType)) {
var fieldType = field.type.ofType;
var cycleIndex = fieldPathIndexByTypeName[fieldType.name];
fieldPath.push(field);
if (cycleIndex === undefined) {
detectCycleRecursive(fieldType);
} else {
var cyclePath = fieldPath.slice(cycleIndex);
var pathStr = cyclePath.map(function (fieldObj) {
return fieldObj.name;
}).join('.');
context.reportError("Cannot reference Input Object \"".concat(fieldType.name, "\" within itself through a series of non-null fields: \"").concat(pathStr, "\"."), cyclePath.map(function (fieldObj) {
return fieldObj.astNode;
}));
}
fieldPath.pop();
}
}
fieldPathIndexByTypeName[inputObj.name] = undefined;
}
}
function getAllNodes(object) {
var astNode = object.astNode,
extensionASTNodes = object.extensionASTNodes;
return astNode ? extensionASTNodes ? [astNode].concat(extensionASTNodes) : [astNode] : extensionASTNodes || [];
}
function getAllSubNodes(object, getter) {
return flatMap(getAllNodes(object), function (item) {
return getter(item) || [];
});
}
function getAllImplementsInterfaceNodes(type, iface) {
return getAllSubNodes(type, function (typeNode) {
return typeNode.interfaces;
}).filter(function (ifaceNode) {
return ifaceNode.name.value === iface.name;
});
}
function getUnionMemberTypeNodes(union, typeName) {
return getAllSubNodes(union, function (unionNode) {
return unionNode.types;
}).filter(function (typeNode) {
return typeNode.name.value === typeName;
});
}