47 lines
1.1 KiB
JavaScript
47 lines
1.1 KiB
JavaScript
import { invariant } from '../../jsutils/invariant.mjs';
|
|
import { GraphQLError } from '../../error/GraphQLError.mjs';
|
|
|
|
/**
|
|
* Unique input field names
|
|
*
|
|
* A GraphQL input object value is only valid if all supplied fields are
|
|
* uniquely named.
|
|
*
|
|
* See https://spec.graphql.org/draft/#sec-Input-Object-Field-Uniqueness
|
|
*/
|
|
export function UniqueInputFieldNamesRule(context) {
|
|
const knownNameStack = [];
|
|
let knownNames = Object.create(null);
|
|
return {
|
|
ObjectValue: {
|
|
enter() {
|
|
knownNameStack.push(knownNames);
|
|
knownNames = Object.create(null);
|
|
},
|
|
|
|
leave() {
|
|
const prevKnownNames = knownNameStack.pop();
|
|
prevKnownNames || invariant(false);
|
|
knownNames = prevKnownNames;
|
|
},
|
|
},
|
|
|
|
ObjectField(node) {
|
|
const fieldName = node.name.value;
|
|
|
|
if (knownNames[fieldName]) {
|
|
context.reportError(
|
|
new GraphQLError(
|
|
`There can be only one input field named "${fieldName}".`,
|
|
{
|
|
nodes: [knownNames[fieldName], node.name],
|
|
},
|
|
),
|
|
);
|
|
} else {
|
|
knownNames[fieldName] = node.name;
|
|
}
|
|
},
|
|
};
|
|
}
|