UNPKG

@graphql-mesh/transport-soap

Version:
237 lines (236 loc) • 9.2 kB
import { XMLBuilder as JSONToXMLConverter, XMLParser } from 'fast-xml-parser'; import { isListType, isNonNullType } from 'graphql'; import { process } from '@graphql-mesh/cross-helpers'; import { getInterpolatedHeadersFactory, stringInterpolator, } from '@graphql-mesh/string-interpolation'; import { DefaultLogger } from '@graphql-mesh/utils'; import { normalizedExecutor } from '@graphql-tools/executor'; import { createGraphQLError, getDirectiveExtensions, getRootTypes, } from '@graphql-tools/utils'; import { fetch as defaultFetchFn } from '@whatwg-node/fetch'; import { parseXmlOptions } from './parseXmlOptions.js'; function isOriginallyListType(type) { if (isNonNullType(type)) { return isOriginallyListType(type.ofType); } return isListType(type); } const defaultFieldResolver = function soapDefaultResolver(root, args, context, info) { const rootField = root[info.fieldName]; if (typeof rootField === 'function') { return rootField(args, context, info); } const fieldValue = rootField; const isArray = Array.isArray(fieldValue); const isPlural = isOriginallyListType(info.returnType); if (isPlural && !isArray) { return [fieldValue]; } if (!isPlural && isArray) { return fieldValue[0]; } return fieldValue; }; function normalizeArgsForConverter(args) { if (args != null) { if (typeof args === 'object') { for (const key in args) { args[key] = normalizeArgsForConverter(args[key]); } } else { return { innerText: args, }; } } return args; } function normalizeResult(result) { if (result != null && typeof result === 'object') { for (const key in result) { if (key === 'innerText') { return result.innerText; } result[key] = normalizeResult(result[key]); } if (Array.isArray(result) && result.length === 1) { return result[0]; } } return result; } function prefixWithAlias({ alias, obj, resolverData, }) { if (typeof obj === 'object' && obj !== null) { const prefixedHeaderObj = {}; for (const key in obj) { const aliasedKey = key === 'innerText' ? key : `${alias}:${key}`; prefixedHeaderObj[aliasedKey] = prefixWithAlias({ alias, obj: obj[key], resolverData, }); } return prefixedHeaderObj; } if (typeof obj === 'string' && resolverData) { return stringInterpolator.parse(obj, resolverData); } return obj; } function createRootValueMethod({ soapAnnotations, fetchFn, jsonToXMLConverter, xmlToJSONConverter, operationHeadersFactory, logger, }) { if (!soapAnnotations.soapNamespace) { logger.warn(`The expected 'soapNamespace' attribute is missing in SOAP directive definition. Update the SOAP source handler, and re-generate the schema. Falling back to 'http://www.w3.org/2003/05/soap-envelope' as SOAP Namespace.`); soapAnnotations.soapNamespace = 'http://www.w3.org/2003/05/soap-envelope'; } return async function rootValueMethod(args, context, info) { const envelopeAttributes = { 'xmlns:soap': soapAnnotations.soapNamespace, }; const envelope = { attributes: envelopeAttributes, }; const resolverData = { args, context, info, env: process.env, }; const bodyPrefix = soapAnnotations.bodyAlias || 'body'; envelopeAttributes[`xmlns:${bodyPrefix}`] = soapAnnotations.bindingNamespace; const headerPrefix = soapAnnotations.soapHeaders?.alias || soapAnnotations.bodyAlias || 'header'; if (soapAnnotations.soapHeaders?.headers) { envelope['soap:Header'] = prefixWithAlias({ alias: headerPrefix, obj: normalizeArgsForConverter(typeof soapAnnotations.soapHeaders.headers === 'string' ? JSON.parse(soapAnnotations.soapHeaders.headers) : soapAnnotations.soapHeaders.headers), resolverData, }); if (soapAnnotations.soapHeaders?.namespace) { envelopeAttributes[`xmlns:${headerPrefix}`] = soapAnnotations.soapHeaders.namespace; } } const body = prefixWithAlias({ alias: bodyPrefix, obj: normalizeArgsForConverter(args), resolverData, }); envelope['soap:Body'] = body; const requestJson = { 'soap:Envelope': envelope, }; const requestXML = jsonToXMLConverter.build(requestJson); const currentFetchFn = context?.fetch || fetchFn; const response = await currentFetchFn(soapAnnotations.endpoint, { method: 'POST', body: requestXML, headers: { 'Content-Type': 'text/xml; charset=utf-8', SOAPAction: soapAnnotations.soapAction, ...operationHeadersFactory({ args, context, info, env: process.env, }), }, }, context, info); const responseXML = await response.text(); if (!response.ok) { return createGraphQLError(`Upstream HTTP Error: ${response.status}`, { extensions: { code: 'DOWNSTREAM_SERVICE_ERROR', serviceName: soapAnnotations.subgraph, request: { url: soapAnnotations.endpoint, method: 'POST', body: requestXML, }, response: { status: response.status, statusText: response.statusText, get headers() { return Object.fromEntries(response.headers.entries()); }, body: responseXML, }, }, }); } try { const responseJSON = xmlToJSONConverter.parse(responseXML, parseXmlOptions); return normalizeResult(responseJSON.Envelope[0].Body[0][soapAnnotations.elementName]); } catch (e) { return createGraphQLError(`Invalid SOAP response: ${e.message}`, { extensions: { subgraph: soapAnnotations.subgraph, request: { url: soapAnnotations.endpoint, method: 'POST', body: requestXML, }, response: { status: response.status, statusText: response.statusText, get headers() { return Object.fromEntries(response.headers.entries()); }, body: responseXML, }, }, }); } }; } function createRootValue(schema, fetchFn, operationHeaders, logger) { const rootValue = {}; const rootTypes = getRootTypes(schema); const jsonToXMLConverter = new JSONToXMLConverter({ attributeNamePrefix: '', attributesGroupName: 'attributes', textNodeName: 'innerText', }); const xmlToJSONConverter = new XMLParser(parseXmlOptions); const operationHeadersFactory = getInterpolatedHeadersFactory(operationHeaders); for (const rootType of rootTypes) { const rootFieldMap = rootType.getFields(); for (const fieldName in rootFieldMap) { const fieldDirectives = getDirectiveExtensions(rootFieldMap[fieldName]); const soapDirectives = fieldDirectives?.soap; if (!soapDirectives?.length) { // skip fields without @soap directive // we have to skip Query.placeholder field when only mutations were created continue; } for (const soapAnnotations of soapDirectives) { rootValue[fieldName] = createRootValueMethod({ soapAnnotations, fetchFn, jsonToXMLConverter, xmlToJSONConverter, operationHeadersFactory, logger, }); } } } return rootValue; } export function createExecutorFromSchemaAST(schema, fetchFn = defaultFetchFn, operationHeaders = {}, logger = new DefaultLogger()) { let rootValue; return function soapExecutor({ document, variables, context }) { if (!rootValue) { rootValue = createRootValue(schema, fetchFn, operationHeaders, logger); } return normalizedExecutor({ schema, document, rootValue, contextValue: context, variableValues: variables, fieldResolver: defaultFieldResolver, }); }; }