-
Notifications
You must be signed in to change notification settings - Fork 26
/
Copy pathhandler.ts
890 lines (844 loc) · 26.5 KB
/
handler.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
/**
*
* handler
*
*/
import {
ExecutionArgs,
ExecutionResult,
GraphQLSchema,
validate as graphqlValidate,
ValidationRule,
specifiedRules,
execute as graphqlExecute,
parse as graphqlParse,
DocumentNode,
getOperationAST as graphqlGetOperationAST,
OperationTypeNode,
GraphQLError,
} from 'graphql';
import { RequestParams } from './common';
import { isAsyncIterable, isExecutionResult, isObject } from './utils';
/**
* The incoming request headers the implementing server should provide.
*
* @category Server
*/
export type RequestHeaders =
| {
/**
* Always an array in Node. Duplicates are added to it.
* Not necessarily true for other environments.
*/
'set-cookie'?: string | string[] | undefined;
[key: string]: string | string[] | undefined;
}
| {
get: (key: string) => string | null;
};
/**
* Server agnostic request interface containing the raw request
* which is server dependant.
*
* @category Server
*/
export interface Request<Raw, Context> {
readonly method: string;
readonly url: string;
readonly headers: RequestHeaders;
/**
* Parsed request body or a parser function.
*
* If the provided function throws, the error message "Unparsable JSON body" will
* be in the erroneous response.
*/
readonly body:
| string
| Record<string, unknown>
| null
| (() =>
| string
| Record<string, unknown>
| null
| Promise<string | Record<string, unknown> | null>);
/**
* The raw request itself from the implementing server.
*
* For example: `express.Request` when using Express, or maybe
* `http.IncomingMessage` when just using Node with `http.createServer`.
*/
readonly raw: Raw;
/**
* Context value about the incoming request, you're free to pass any information here.
*/
readonly context: Context;
}
/**
* The response headers that get returned from graphql-http.
*
* @category Server
*/
export type ResponseHeaders = {
accept?: string;
allow?: string;
'content-type'?: string;
} & Record<string, string>;
/**
* Server agnostic response body returned from `graphql-http` needing
* to be coerced to the server implementation in use.
*
* @category Server
*/
export type ResponseBody = string;
/**
* Server agnostic response options (ex. status and headers) returned from
* `graphql-http` needing to be coerced to the server implementation in use.
*
* @category Server
*/
export interface ResponseInit {
readonly status: number;
readonly statusText: string;
readonly headers?: ResponseHeaders;
}
/**
* Server agnostic response returned from `graphql-http` containing the
* body and init options needing to be coerced to the server implementation in use.
*
* @category Server
*/
export type Response = readonly [body: ResponseBody | null, init: ResponseInit];
/** Checks whether the passed value is the `graphql-http` server agnostic response. */
function isResponse(val: unknown): val is Response {
// TODO: make sure the contents of init match ResponseInit
return (
Array.isArray(val) &&
(typeof val[0] === 'string' || val[0] === null) &&
isObject(val[1])
);
}
/**
* A concrete GraphQL execution context value type.
*
* Mainly used because TypeScript collapses unions
* with `any` or `unknown` to `any` or `unknown`. So,
* we use a custom type to allow definitions such as
* the `context` server option.
*
* @category Server
*/
export type OperationContext =
| Record<PropertyKey, unknown>
| symbol
| number
| string
| boolean
| undefined
| null;
/**
* The (GraphQL) error formatter function.
*
* @category Server
*/
export type FormatError = (
err: Readonly<GraphQLError | Error>,
) => GraphQLError | Error;
/**
* The request parser for an incoming GraphQL request in the handler.
*
* It should parse and validate the request itself, including the request method
* and the content-type of the body.
*
* In case you are extending the server to handle more request types, this is the
* perfect place to do so.
*
* If an error is thrown, it will be formatted using the provided {@link FormatError}
* and handled following the spec to be gracefully reported to the client.
*
* Throwing an instance of `Error` will _always_ have the client respond with a `400: Bad Request`
* and the error's message in the response body; however, if an instance of `GraphQLError` is thrown,
* it will be reported depending on the accepted content-type.
*
* If you return nothing, the default parser will be used instead.
*
* @category Server
*/
export type ParseRequestParams<
RequestRaw = unknown,
RequestContext = unknown,
> = (
req: Request<RequestRaw, RequestContext>,
) => Promise<RequestParams | Response | void> | RequestParams | Response | void;
/**
* The GraphQL over HTTP spec compliant request parser for an incoming GraphQL request.
* It parses and validates the request itself, including the request method and the
* content-type of the body.
*
* If the HTTP request itself is invalid or malformed, the function will return an
* appropriate {@link Response}.
*
* If the HTTP request is valid, but is not a well-formatted GraphQL request, the
* function will throw an error and it is up to the user to handle and respond as
* they see fit.
*
* @category Server
*/
export async function parseRequestParams<
RequestRaw = unknown,
RequestContext = unknown,
>(req: Request<RequestRaw, RequestContext>): Promise<Response | RequestParams> {
const method = req.method;
if (method !== 'GET' && method !== 'POST') {
return [
null,
{
status: 405,
statusText: 'Method Not Allowed',
headers: {
allow: 'GET, POST',
},
},
];
}
const [
mediaType,
charset = 'charset=utf-8', // utf-8 is assumed when not specified. this parameter is either "charset" or "boundary" (https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Content-Length)
] = (getHeader(req, 'content-type') || '')
.replace(/\s/g, '')
.toLowerCase()
.split(';');
const partParams: Partial<RequestParams> = {};
switch (true) {
case method === 'GET': {
// TODO: what if content-type is specified and is not application/x-www-form-urlencoded?
try {
const [, search] = req.url.split('?');
const searchParams = new URLSearchParams(search);
partParams.operationName =
searchParams.get('operationName') ?? undefined;
partParams.query = searchParams.get('query') ?? undefined;
const variables = searchParams.get('variables');
if (variables) partParams.variables = JSON.parse(variables);
const extensions = searchParams.get('extensions');
if (extensions) partParams.extensions = JSON.parse(extensions);
} catch {
throw new Error('Unparsable URL');
}
break;
}
case method === 'POST' &&
mediaType === 'application/json' &&
charset === 'charset=utf-8': {
if (!req.body) {
throw new Error('Missing body');
}
let data;
try {
const body =
typeof req.body === 'function' ? await req.body() : req.body;
data = typeof body === 'string' ? JSON.parse(body) : body;
} catch (err) {
throw new Error('Unparsable JSON body');
}
if (!isObject(data)) {
throw new Error('JSON body must be an object');
}
partParams.operationName = data.operationName;
partParams.query = data.query;
partParams.variables = data.variables;
partParams.extensions = data.extensions;
break;
}
default: // graphql-http doesnt support any other content type
return [
null,
{
status: 415,
statusText: 'Unsupported Media Type',
},
];
}
if (partParams.query == null) throw new Error('Missing query');
if (typeof partParams.query !== 'string') throw new Error('Invalid query');
if (
partParams.variables != null &&
(typeof partParams.variables !== 'object' ||
Array.isArray(partParams.variables))
) {
throw new Error('Invalid variables');
}
if (
partParams.operationName != null &&
typeof partParams.operationName !== 'string'
) {
throw new Error('Invalid operationName');
}
if (
partParams.extensions != null &&
(typeof partParams.extensions !== 'object' ||
Array.isArray(partParams.extensions))
) {
throw new Error('Invalid extensions');
}
// request parameters are checked and now complete
return partParams as RequestParams;
}
/** @category Server */
export type OperationArgs<Context extends OperationContext = undefined> =
ExecutionArgs & { contextValue?: Context };
/** @category Server */
export interface HandlerOptions<
RequestRaw = unknown,
RequestContext = unknown,
Context extends OperationContext = undefined,
> {
/**
* The GraphQL schema on which the operations will
* be executed and validated against.
*
* If a function is provided, it will be called on every
* operation request allowing you to manipulate schema
* dynamically.
*
* If the schema is left undefined, you're trusted to
* provide one in the returned `ExecutionArgs` from the
* `onSubscribe` callback.
*
* If you want to respond to the client with a custom status and/or body,
* you should do by returning a `Request` argument which will stop
* further execution.
*/
schema?:
| GraphQLSchema
| ((
req: Request<RequestRaw, RequestContext>,
args: Omit<OperationArgs<Context>, 'schema'>,
) => Promise<GraphQLSchema | Response> | GraphQLSchema | Response);
/**
* A value which is provided to every resolver and holds
* important contextual information like the currently
* logged in user, or access to a database.
*/
context?:
| Context
| ((
req: Request<RequestRaw, RequestContext>,
params: RequestParams,
) => Promise<Context | Response> | Context | Response);
/**
* A custom GraphQL validate function allowing you to apply your
* own validation rules.
*
* Will not be used when implementing a custom `onSubscribe`.
*/
validate?: typeof graphqlValidate;
/**
* The validation rules for running GraphQL validate.
*
* When providing an array, the rules will be APPENDED to the default
* `specifiedRules` array provided by the graphql-js module.
*
* Alternatively, providing a function instead will OVERWRITE the defaults
* and use exclusively the rules returned by the function. The third (last)
* argument of the function are the default `specifiedRules` array provided
* by the graphql-js module, you're free to prepend/append the defaults to
* your rule set, or omit them altogether.
*/
validationRules?:
| readonly ValidationRule[]
| ((
req: Request<RequestRaw, RequestContext>,
args: OperationArgs<Context>,
specifiedRules: readonly ValidationRule[],
) => Promise<readonly ValidationRule[]> | readonly ValidationRule[]);
/**
* Is the `execute` function from GraphQL which is
* used to execute the query and mutation operations.
*/
execute?: typeof graphqlExecute;
/**
* GraphQL parse function allowing you to apply a custom parser.
*/
parse?: typeof graphqlParse;
/**
* GraphQL operation AST getter used for detecting the operation type.
*/
getOperationAST?: typeof graphqlGetOperationAST;
/**
* The GraphQL root value or resolvers to go alongside the execution.
* Learn more about them here: https://graphql.org/learn/execution/#root-fields-resolvers.
*
* If you return from `onSubscribe`, and the returned value is
* missing the `rootValue` field, the relevant operation root
* will be used instead.
*/
rootValue?: unknown;
/**
* The subscribe callback executed right after processing the request
* before proceeding with the GraphQL operation execution.
*
* If you return `ExecutionResult` from the callback, it will be used
* directly for responding to the request. Useful for implementing a response
* cache.
*
* If you return `ExecutionArgs` from the callback, it will be used instead of
* trying to build one internally. In this case, you are responsible for providing
* a ready set of arguments which will be directly plugged in the operation execution.
*
* You *must* validate the `ExecutionArgs` yourself if returning them.
*
* If you return an array of `GraphQLError` from the callback, they will be reported
* to the client while complying with the spec.
*
* Omitting the fields `contextValue` from the returned `ExecutionArgs` will use the
* provided `context` option, if available.
*
* Useful for preparing the execution arguments following a custom logic. A typical
* use-case is persisted queries. You can identify the query from the request parameters
* and supply the appropriate GraphQL operation execution arguments.
*
* If you want to respond to the client with a custom status and/or body,
* you should do by returning a `Request` argument which will stop
* further execution.
*/
onSubscribe?: (
req: Request<RequestRaw, RequestContext>,
params: RequestParams,
) =>
| Promise<
| ExecutionResult
| OperationArgs<Context>
| readonly GraphQLError[]
| Response
| void
>
| ExecutionResult
| OperationArgs<Context>
| readonly GraphQLError[]
| Response
| void;
/**
* Executed after the operation call resolves.
*
* The `OperationResult` argument is the result of operation
* execution. It can be an iterator or already a value.
*
* Use this callback to listen for GraphQL operations and
* execution result manipulation.
*
* If you want to respond to the client with a custom status and/or body,
* you should do by returning a `Request` argument which will stop
* further execution.
*/
onOperation?: (
req: Request<RequestRaw, RequestContext>,
args: OperationArgs<Context>,
result: ExecutionResult,
) =>
| Promise<ExecutionResult | Response | void>
| ExecutionResult
| Response
| void;
/**
* Format handled errors to your satisfaction. Either GraphQL errors
* or safe request processing errors are meant by "handled errors".
*
* If multiple errors have occurred, all of them will be mapped using
* this formatter.
*/
formatError?: FormatError;
/**
* The request parser for an incoming GraphQL request.
*
* Read more about it in {@link ParseRequestParams}.
*/
parseRequestParams?: ParseRequestParams<RequestRaw, RequestContext>;
}
/**
* The ready-to-use handler. Simply plug it in your favorite HTTP framework
* and enjoy.
*
* Errors thrown from **any** of the provided options or callbacks (or even due to
* library misuse or potential bugs) will reject the handler's promise. They are
* considered internal errors and you should take care of them accordingly.
*
* @category Server
*/
export type Handler<RequestRaw = unknown, RequestContext = unknown> = (
req: Request<RequestRaw, RequestContext>,
) => Promise<Response>;
/**
* Makes a GraphQL over HTTP spec compliant server handler. The handler can
* be used with your favorite server library.
*
* Beware that the handler resolves only after the whole operation completes.
*
* Errors thrown from **any** of the provided options or callbacks (or even due to
* library misuse or potential bugs) will reject the handler's promise. They are
* considered internal errors and you should take care of them accordingly.
*
* For production environments, its recommended not to transmit the exact internal
* error details to the client, but instead report to an error logging tool or simply
* the console.
*
* Simple example usage with Node:
*
* ```js
* import http from 'http';
* import { createHandler } from 'graphql-http';
* import { schema } from './my-graphql-schema';
*
* // Create the GraphQL over HTTP handler
* const handler = createHandler({ schema });
*
* // Create a HTTP server using the handler on `/graphql`
* const server = http.createServer(async (req, res) => {
* if (!req.url.startsWith('/graphql')) {
* return res.writeHead(404).end();
* }
*
* try {
* const [body, init] = await handler({
* url: req.url,
* method: req.method,
* headers: req.headers,
* body: () => new Promise((resolve) => {
* let body = '';
* req.on('data', (chunk) => (body += chunk));
* req.on('end', () => resolve(body));
* }),
* raw: req,
* });
* res.writeHead(init.status, init.statusText, init.headers).end(body);
* } catch (err) {
* // BEWARE not to transmit the exact internal error message in production environments
* res.writeHead(500).end(err.message);
* }
* });
*
* server.listen(4000);
* console.log('Listening to port 4000');
* ```
*
* @category Server
*/
export function createHandler<
RequestRaw = unknown,
RequestContext = unknown,
Context extends OperationContext = undefined,
>(
options: HandlerOptions<RequestRaw, RequestContext, Context>,
): Handler<RequestRaw, RequestContext> {
const {
schema,
context,
validate = graphqlValidate,
validationRules = [],
execute = graphqlExecute,
parse = graphqlParse,
getOperationAST = graphqlGetOperationAST,
rootValue,
onSubscribe,
onOperation,
formatError = (err) => err,
parseRequestParams: optionsParseRequestParams = parseRequestParams,
} = options;
return async function handler(req) {
let acceptedMediaType: AcceptableMediaType | null = null;
const accepts = (getHeader(req, 'accept') || '*/*')
.replace(/\s/g, '')
.toLowerCase()
.split(',');
for (const accept of accepts) {
// accept-charset became obsolete, shouldnt be used (https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Accept-Charset)
// TODO: handle the weight parameter "q"
const [mediaType, ...params] = accept.split(';');
const charset =
params?.find((param) => param.includes('charset=')) || 'charset=utf8'; // utf-8 is assumed when not specified;
if (
mediaType === 'application/graphql-response+json' &&
charset === 'charset=utf8'
) {
acceptedMediaType = 'application/graphql-response+json';
break;
}
// application/json should be the default until watershed
if (
(mediaType === 'application/json' ||
mediaType === 'application/*' ||
mediaType === '*/*') &&
charset === 'charset=utf8'
) {
acceptedMediaType = 'application/json';
break;
}
}
if (!acceptedMediaType) {
return [
null,
{
status: 406,
statusText: 'Not Acceptable',
headers: {
accept:
'application/graphql-response+json; charset=utf-8, application/json; charset=utf-8',
},
},
];
}
let params: RequestParams;
try {
let paramsOrRes = await optionsParseRequestParams(req);
if (!paramsOrRes) paramsOrRes = await parseRequestParams(req);
if (isResponse(paramsOrRes)) return paramsOrRes;
params = paramsOrRes;
} catch (err) {
return makeResponse(err, acceptedMediaType, formatError);
}
let args: OperationArgs<Context>;
const maybeResErrsOrArgs = await onSubscribe?.(req, params);
if (isResponse(maybeResErrsOrArgs)) return maybeResErrsOrArgs;
else if (
isExecutionResult(maybeResErrsOrArgs) ||
areGraphQLErrors(maybeResErrsOrArgs)
)
return makeResponse(maybeResErrsOrArgs, acceptedMediaType, formatError);
else if (maybeResErrsOrArgs) args = maybeResErrsOrArgs;
else {
if (!schema) throw new Error('The GraphQL schema is not provided');
const { operationName, query, variables } = params;
let document: DocumentNode;
try {
document = parse(query);
} catch (err) {
return makeResponse(err, acceptedMediaType, formatError);
}
const resOrContext =
typeof context === 'function' ? await context(req, params) : context;
if (isResponse(resOrContext)) return resOrContext;
const argsWithoutSchema = {
operationName,
document,
variableValues: variables,
contextValue: resOrContext,
};
if (typeof schema === 'function') {
const resOrSchema = await schema(req, argsWithoutSchema);
if (isResponse(resOrSchema)) return resOrSchema;
args = {
...argsWithoutSchema,
schema: resOrSchema,
};
} else {
args = {
...argsWithoutSchema,
schema,
};
}
let rules = specifiedRules;
if (typeof validationRules === 'function') {
rules = await validationRules(req, args, specifiedRules);
} else {
rules = [...rules, ...validationRules];
}
const validationErrs = validate(args.schema, args.document, rules);
if (validationErrs.length) {
return makeResponse(validationErrs, acceptedMediaType, formatError);
}
}
let operation: OperationTypeNode;
try {
const ast = getOperationAST(args.document, args.operationName);
if (!ast) throw null;
operation = ast.operation;
} catch {
return makeResponse(
new GraphQLError('Unable to detect operation AST'),
acceptedMediaType,
formatError,
);
}
if (operation === 'subscription') {
return makeResponse(
new GraphQLError('Subscriptions are not supported'),
acceptedMediaType,
formatError,
);
}
// mutations cannot happen over GETs
// https://graphql.github.io/graphql-over-http/draft/#sel-CALFJRPAAELBAAxwP
if (operation === 'mutation' && req.method === 'GET') {
return [
JSON.stringify({
errors: [new GraphQLError('Cannot perform mutations over GET')],
}),
{
status: 405,
statusText: 'Method Not Allowed',
headers: {
allow: 'POST',
},
},
];
}
if (!('rootValue' in args)) {
args.rootValue = rootValue;
}
if (!('contextValue' in args)) {
const resOrContext =
typeof context === 'function' ? await context(req, params) : context;
if (isResponse(resOrContext)) return resOrContext;
args.contextValue = resOrContext;
}
let result = await execute(args);
const maybeResponseOrResult = await onOperation?.(req, args, result);
if (isResponse(maybeResponseOrResult)) return maybeResponseOrResult;
else if (maybeResponseOrResult) result = maybeResponseOrResult;
if (isAsyncIterable(result)) {
return makeResponse(
new GraphQLError('Subscriptions are not supported'),
acceptedMediaType,
formatError,
);
}
return makeResponse(result, acceptedMediaType, formatError);
};
}
/** Request's Media-Type that the server accepted. */
type AcceptableMediaType =
| 'application/graphql-response+json'
| 'application/json';
/**
* Creates an appropriate GraphQL over HTTP response following the provided arguments.
*
* If the first argument is an `ExecutionResult`, the operation will be treated as "successful".
*
* If the first argument is (an array of) `GraphQLError`, or an `ExecutionResult` without the `data` field, it will be treated
* the response will be constructed with the help of `acceptedMediaType` complying with the GraphQL over HTTP spec.
*
* If the first argument is an `Error`, the operation will be treated as a bad request responding with `400: Bad Request` and the
* error will be present in the `ExecutionResult` style.
*/
function makeResponse(
resultOrErrors:
| Readonly<ExecutionResult>
| Readonly<GraphQLError[]>
| Readonly<GraphQLError>
| Readonly<Error>,
acceptedMediaType: AcceptableMediaType,
formatError: FormatError,
): Response {
if (
resultOrErrors instanceof Error &&
// because GraphQLError extends the Error class
!isGraphQLError(resultOrErrors)
) {
return [
JSON.stringify(
{ errors: [formatError(resultOrErrors)] },
jsonErrorReplacer,
),
{
status: 400,
statusText: 'Bad Request',
headers: {
'content-type': 'application/json; charset=utf-8',
},
},
];
}
const errors = isGraphQLError(resultOrErrors)
? [resultOrErrors]
: areGraphQLErrors(resultOrErrors)
? resultOrErrors
: null;
if (errors) {
return [
JSON.stringify({ errors: errors.map(formatError) }, jsonErrorReplacer),
{
...(acceptedMediaType === 'application/json'
? {
status: 200,
statusText: 'OK',
}
: {
status: 400,
statusText: 'Bad Request',
}),
headers: {
'content-type':
acceptedMediaType === 'application/json'
? 'application/json; charset=utf-8'
: 'application/graphql-response+json; charset=utf-8',
},
},
];
}
return [
JSON.stringify(
'errors' in resultOrErrors && resultOrErrors.errors
? {
...resultOrErrors,
errors: resultOrErrors.errors.map(formatError),
}
: resultOrErrors,
jsonErrorReplacer,
),
{
status: 200,
statusText: 'OK',
headers: {
'content-type':
acceptedMediaType === 'application/json'
? 'application/json; charset=utf-8'
: 'application/graphql-response+json; charset=utf-8',
},
},
];
}
function getHeader(
req: Request<unknown, unknown>,
key: 'set-cookie',
): string[] | null;
function getHeader(
req: Request<unknown, unknown>,
key: 'accept' | 'allow' | 'content-type' | string,
): string | null;
function getHeader(
req: Request<unknown, unknown>,
key: string,
): string | string[] | null {
if (typeof req.headers.get === 'function') {
return req.headers.get(key);
}
return Object(req.headers)[key];
}
function areGraphQLErrors(obj: unknown): obj is readonly GraphQLError[] {
return (
Array.isArray(obj) &&
obj.length > 0 &&
// if one item in the array is a GraphQLError, we're good
obj.some(isGraphQLError)
);
}
function isGraphQLError(obj: unknown): obj is GraphQLError {
return obj instanceof GraphQLError;
}
function jsonErrorReplacer(
_key: string,
// eslint-disable-next-line @typescript-eslint/no-explicit-any
val: any,
) {
if (
val instanceof Error &&
// GraphQL errors implement their own stringer
!isGraphQLError(val)
) {
return {
// name: val.name, name is included in message
message: val.message,
// stack: val.stack, can leak sensitive details
};
}
return val;
}