Custom Plugins
Hive Gateway is built with an highly modular architecture. The core is as small as possible, and most of the features are built around a plugin system.
A plugin can hook into each important steps of the lifecycle of the gateway, including the graphql request execution.
The gateway is built using Graphql Yoga (a GraphQL HTTP server) and Envelop (a GraphQL execution orchestrator), which are also highly modular technologies. Hive Gateway is extending Yoga and Envelop plugin system by providing gateway specific hooks.
This means that if a plugin exists in multiple variants, you should follow this priority order:
- Hive Gateway: is aware of subgraphs and upstream request management.
- Yoga: is aware of the HTTP transport. It most of the time provides optimisations over the Envelop variants.
- Envelop: is only aware of the GraphQL operation execution.
For example, the Prometheus integration plugin is available for Envelop (@envelop/prometheus),
Yoga(@graphql-yoga/plugin-prometheus) and Hive Gateway(@graphql-mesh/prometheus). In this case,
you should pick @graphql-mesh/prometheus plugin. It is built on top of Yoga and Envelop variants,
but adds monitoring capabilities of upstream subgraphs.
For the most used features, you will not have to explicitly setup the dedicated plugin. They will be added automatically based on your gateway configuration.
Configuration
You can add plugins to your gateway using the plugins option.
It have to be a function, which will be called each time the gateway have update its configuration. For example, if polling is enabled, this function will be called for each poll.
Most Hive Gateway plugins takes an object as a parameter, and expect some common components like a
log, a pubsub, etc… Those components are given in parameters to the plugins function. It is
advised to spread the plugin’s factory context into the plugins options, this way plugins will have
access to all components they need.
import { defineConfig } from '@graphql-hive/gateway'
import useNewRelic from '@graphql-mesh/plugin-newrelic'
import { useSOFA } from '@graphql-yoga/plugin-sofa'
 
export const gatewayConfig = defineConfig({
  plugins: ctx => [
    useSOFA({
      ...ctx,
      basePath: '/rest',
      swaggerUIEndpoint: '/rest/docs'
    }),
    useNewRelic({
      ...ctx
    })
  ]
})Configuration Context
| Field Name | Type | Description | 
|---|---|---|
| fetch | MeshFetch | WHATWG compatible Fetch implementation. | 
| log | Logger | The logger to use throughout Hive and its plugins. | 
| cwd | string | Current working directory. | 
| pubsub | HivePubSub(optional) | Event bus for pub/sub. | 
| cache | KeyValueCache(optional) | Cache Storage. | 
| openTelemetry | OpenTelemetryPluginUtils & { ... } | OpenTelemetry API to access OTEL Tracer and Hive Gateway internal contexts. | 
Custom Plugins
You can take advantage of the plugin system to create your own custom plugin. This allows you to integrate your gateway with any technology that we don’t officially support, being public or private to your company.
A good entry-point for discovering how to write Gateway plugins is to look at the source code of the existing plugins maintained by us.
A plugin is an object that can define methods to hook into different phases or events of the gateway lifecycle. Each hook will receive a single parameter, the hook payload, containing data related to the hooked phase and functions allowing you to modify the behavior of this phase.
There are 2 categories of hooks:
- Gateway lifecycle hooks: they are related to the lifecycle or events of the server itself and is not related to a specific request.
- Request lifecycle hooks: they are tight to a specific phase of a specific request. Those hooks always give access to the related request in there payload.
Gateway lifecycle
Gateway lifecycle allows to setup long running services, initialize in-memory cache or stores, react to general events.
onYogaInit
It is the very first hook called just before the gateway starts listening for HTTP requests.
You can use this hook to customize the Yoga instance.
| Payload field | Description | 
|---|---|
| yoga | YogaServerinstance that is about to start with the gateway. | 
onPluginInit
Called before the server starts listening to HTTP requests.
In this hook, you can initialize every long running components, such as values stores, cache, third party clients, etc…
You can add other plugin in this hook, which allow you to ensure plugins you depends on are present.
| Payload field | Description | 
|---|---|
| addPlugin(plugin: Plugin) | Allows adding a plugin to the plugin list. The new plugin will be added just after the one calling this function. It can be called multiple times, preserving plugin order. | 
| plugins: Plugin[] | The current list of plugins. It can be used to verify if a dependent plugin is already in the list or to ensure your plugin is not present twice. This should never be mutated; use addPlugininstead. | 
| setSchema(schema: GraphQLSchema) | Allows replacing the current schema. | 
| registerContextErrorHandler(handler) | Registers a handler that will be called if the GraphQL context factory throws an error. Useful for error reporting. | 
onSchemaChange
This hook is called when the schema changes, either because the Gateway loaded it the first time, or because a plugin changed it.
Possible usage examples of this hooks are:
- Monitor changes of schemas
- Analyse the schema or keep track of it for other hooks
- Modify the schema
| Payload field | Description | 
|---|---|
| schema | The new loaded schema | 
| replaceSchema | Replace the schema. This will trigger a new call to onSchemaChange, so you should keep track of schema already modified by your plugin to avoid infinite change loop. | 
onFetch
This hook is called each time the fetch function is called. It can be either a request to an
upstream subgraph using the http transport, or a request made a plugin to a third party technology.
This hook has a before and after stage. You can hook into the after phase by returning a function
(see onParseDone).
Possible usage examples of the hooks are:
- Manipulate HTTP Requestobject
- Manipulate HTTP Responseobject
- Change fetchimplementation
- Add custom headers
- Monitor the HTTP request
| Payload field | Description | 
|---|---|
| url | The target URL of the request | 
| setUrl | Replace the target URL | 
| options | The fetchfunction options | 
| setOptions | Replace the options that will be used to send the request | 
| info | The GraphQL operation info | 
| fetchFn | The fetch function that will be used to make the request. By default, it is the one provided in the Gateway configuration if provided, or @whatwg-node/fetchif not. | 
| setFetchFn | Replace the fetchfunction that will be used to make the request. It should be compatible with standardfetchAPI. | 
| executionRequest | Present only if the request is an upstream subgraph request. It contains all information about the upstream query, notably the target subgraph name. | 
| requestId | A unique ID identifying the client request. This is used to correlate downstream and upstream requests across services. | 
| log | The Hive Logger instance for the specific request that includes the details of the request and the response. | 
onFetchDone
Called once the fetch has ended and the response promise has been resolved.
Possible usage examples of the hook are:
- Manipulate HTTP Responseobject.
- Monitor the HTTP requests
| Payload Field | Description | 
|---|---|
| response | The response object returned by the fetch call. | 
| setResponse | Function to replace the current response with a new response object. | 
onDispose
In order to clean up resources when Hive Gateway is shut down, you can use onDispose,
Symbol.asyncDispose or Symbol.syncDispose to clean up resources.
You can learn more about Explicit Resource Management in Yoga documentation.
Request Lifecycle
The following diagram shows the lifecycle of request in Hive Gateway.
Each hook is given a single parameter called payload. Please see detail section of each hook to know what contains each of this payloads.
onRequest
This hook is invoked for ANY incoming HTTP request. Here you can manipulate the request or create a short circuit before Yoga handles the request.
Exceptions thrown by this hook are not caught. This means they will buble up to the HTTP server underlying implementation.
For example, the node:http server crashes the entire process on uncaught exceptions.
Prefer onRequestParse when possible, or wrap the hook code in a try block.
For example, you can shortcut the manually handle an HTTP request, short-circuiting the Hive Gateway HTTP handler:
import type { GatewayPlugin } from '@graphql-hive/gateway'
 
function useAuth(): GatewayPlugin {
  return {
    onRequest({ request, fetchAPI, endResponse }) {
      if (!request.headers.get('authorization')) {
        endResponse(
          new fetchAPI.Response(null, {
            status: 401,
            headers: {
              'Content-Type': 'application/json'
            }
          })
        )
      }
    }
  }
}Possible usage examples of this hook are:
- Manipulate the request
- Short circuit before Yoga handles the request
| Payload field | Description | 
|---|---|
| request | The incoming HTTP request as WHATWG Requestobject. Learn more about the request. | 
| serverContext | The early context object that is shared between all hooks and the GraphQL execution. Learn more about the context. | 
| fetchAPI | WHATWG Fetch API implementation. Learn more about the fetch API. | 
| url | WHATWG URL object of the incoming request. Learn more about the URL object. | 
| endResponse | A function that allows you to end the request early and send a response to the client. | 
onRequestParse
This hook is invoked for any incoming GraphQL HTTP request and is invoked before attempting to parse the GraphQL parameters. Here you can manipulate the request, set a custom request parser or apply security measures such as checking for access tokens etc.
Possible usage examples of this hook are:
- Manipulate the request
- Set custom GraphQL request parser (use custom GraphQL protocol)
- Apply security measures
| Payload field | Description | 
|---|---|
| request | The incoming HTTP request as WHATWG Requestobject. Learn more about the request. | 
| url | The incoming HTTP request target url | 
| requestParser | The function that will be used to extract GraphQL params from the request. | 
| setRequestParser | Allows to replace the function that will be used to extract GraphQL params from the request | 
onParams
This hook is invoked for an incoming GraphQL request after the GraphQL parameters (query,
variables, extensions and operationName) have been ATTEMPTED to be parsed.
Within this hook you can manipulate and customize the parameters or even implement a whole new way of parsing the parameters (if you wish to diverge from the GraphQL over HTTP specification).
In addition to that you could also short-circuit and skip the GraphQL execution. E.g. you might want to serve a result from the cache instead.
Possible usage examples of this hook are:
- Response Cache: Short-circuit GraphQL execution if response can be served from the cache.
- Persisted Operations:
Load the querydocument string from the persisted operations store before running the execution.
- APQ:
Load/persist the querydocument string on the persisted operations store.
| Payload field | Description | 
|---|---|
| request | The incoming HTTP request as WHATWG Requestobject. Learn more about the request. | 
| params | The GraphQLParamsextracted from the request. | 
| setParams | Allows to replace the GraphQLParamsfor this request | 
| fetchAPI | Fetch API provided in the Hive Gateway configuration. This should be used to make outgoing HTTP request, since it will trigger the onFetchhook. | 
| context | The server context. It can contain runtime specific data, such as reqandresobject when running in Node for example. | 
onEnveloped
This hook is called once per operation, at the start of the GraphQL execution pipeline. This is useful if you need to do some setup right before an incoming execution flow.
| Payload Field | Description | 
|---|---|
| setSchema | Sets the schema to be used. | 
| context | The GraphQL context object. | 
| extendContext | Extends the GraphQL context object with additional fields. | 
onParse
Called for parsing the GraphQL document. This hook has a before and after stage. You can hook into
the after phase by returning a function (see onParseDone).
Example actions in this hook:
- Replace GraphQL parser and support future GraphQL syntax
- Collect metrics about parsing success/failures
| Payload Field | Description | 
|---|---|
| context | The current context object. | 
| extendContext | Extend the context object with a partial. | 
| params | The parameters that are passed to the parse call. | 
| parseFn | The current parse function. | 
| setParseFn | Replace the current parse function. | 
| setParsedDocument | Set/overwrite the parsed document. If a parsed document is set the call to the parseFn will be skipped. | 
onParseDone
You can return a function from onParse to register a hook called after the parsing of the GraphQL
document.
Example actions in this hook:
- Modify the parsed document
- Gather metadata from the document, like directives.
| Field Name | Description | 
|---|---|
| context | The GraphQL context object. | 
| extendContext | Extend the GraphQL context object with a partial. | 
| result | The result of the parse phase. | 
| replaceParseResult | Replace the parse result with a new result. | 
onValidate
Called for validating the GraphQL document. This hook has a before and after stage. You can hook
into the after phase by returning a function (see onValidateDone)
Example actions in this hook:
- Register additional validation rules (e.g. Disable Introspection)
- Collect metrics about validation success/failures
| Payload field | Description | 
|---|---|
| context | The current context object. | 
| extendContext | Extend the context object with a partial. | 
| params | The parameters with which the validate function will be invoked. | 
| addValidationRule | Register a validation rule that will be used for the validate invocation. | 
| validateFn | The current validate function that will be invoked. | 
| setValidationFn | Overwrite the current validate function. | 
| setResult | Set a validation error result and skip the validate invocation. | 
onValidateDone
You can return a function from onValidate to register a hook called after the validation of the
GraphQL operation.
Example actions in this hook:
- Replace the validation result
- Collect metrics and validation errors
| Field Name | Description | 
|---|---|
| context | The current context object. | 
| extendContext | Extend the context object with a partial. | 
| valid | Whether the validation raised any errors or not. | 
| result | An array of errors that were raised during the validation phase. | 
| setResult | Replace the current error result with a new one. | 
onContextBuilding
Called for building the GraphQL context. This hook has a before and after stage. You can hook into
the after phase by returning a function (see onValidateDone)
Example actions in this hook:
- Authentication
- Add data to context object (e.g. user data or dataloader instances)
| Payload field | Description | 
|---|---|
| context | The current GraphQL context object. | 
| extendContext | Extend the context object with a partial. | 
| breakContextBuilding | Prevent calls on any further context building hooks. | 
onContextBuildingDone
You can return a function from onValidate to register a hook called after the construction of the
GraphQL context.
Example actions in this hook:
- Modify the context
| Field Name | Description | 
|---|---|
| context | The GraphQL context object. | 
| extendContext | Extend the GraphQL context object with a partial. | 
onExecute
Called for executing a GraphQL mutation or query operation.
This hook has a before and after stage. You can hook into before and after the GraphQL request is
executed by returning an object containing an onExecuteDone method (see
onExecuteDone).
Example actions in this hook:
- Collect metrics about execution time
- Error logging/reporting
| Payload field | Description | 
|---|---|
| executeFn | Current execute function that will be used for execution. | 
| args | Arguments the execute function will be invoked with. | 
| setExecuteFn | Replace the current execute function with a new one. | 
| setResultAndStopExecution | Set an execution result and skip calling the execute function. | 
| extendContext | Extend the context object with a partial. | 
onExecuteDone
To register this hook, you need to return an object from onExecute hook.
If the result is an AsyncIterable, you can hook into incremental result delivery by returning an
object with onNext and onEnd methods (see
AsyncIterable results hooks).
const useMyPlugin() = () => ({
  onExecute: () => ({
    onExecuteDone: payload => {
      // handle the end of the execution here
    }
  })
})This plugin is called once the execution is step is finished and a result has been computed.
Example actions in this hook:
- Error logging/reporting
- Result modification
| Payload Field | Description | 
|---|---|
| args | The execution arguments. | 
| result | The execution result returned from the execute function. Can return an AsyncIterable if a graphql.js that has defer/stream implemented is used. | 
| setResult | Replace the execution result with a new execution result. | 
onSubscribe
Called for subscribing to a GraphQL subscription operation. This hook has a before and after stage. You can hook into before and after the GraphQL subscription is executed.
Example actions in this hook:
- Collect metrics about execution time
- Error logging/reporting
| Payload field | Description | 
|---|---|
| subscribeFn | Current subscribe function that will be used for setting up the subscription. | 
| args | Current arguments with which the subscribe function will be invoked. | 
| setSubscribeFn | Replace the current subscribe function with a new one that will be used for setting up the subscription. | 
| extendContext | Extend the context object with a partial. | 
| setResultAndStopExecution | Set a subscribe result and skip calling the subscribe function. | 
onSubscriptionResult
Called when the AsyncIterable result have been created and is ready to produce incremental
results.
It is possible to hook into the delivery of each incremental result and the end of the stream by
returning an object with onNext and onEnd methods (see
AsyncIterable results)
| Payload Field | Description | 
|---|---|
| args | The execution arguments. | 
| result | The current incremental execution result. | 
| setResult | Replace the current execution result with a new execution result. | 
onSubscriptionError
Called for the first exception thrown by the AsyncIterable.
| Payload Field | Description | 
|---|---|
| error | The error that was thrown. | 
| setError | Function to replace the error. | 
AsyncIterable results
When a result is an AsyncIterable (which happens when using defer, stream or subscriptions),
it is possible to hook into the delivery of each intermediate results and the end of the stream.
To hook into those phases, return an object with onNext and/or onEnd methods from
onExecuteDone or onSubscriptionResult hooks.
export const useMyPlugin = () => ({
  // For queries and mutations (defer and stream)
  onExecute: () => ({
    onExecuteDone: () => ({
      onNext: () => ...,
      onEnd: () => ...,
    })
  })
 
  // For subscriptions
  onSubscribe: () => ({
    onSubscriptionResult: () => ({
      onNext: () => ...,
      onEnd: () => ...,
    })
  })
})onNext
This hook is called each time a new intermediate result is produced by the AsyncIterable, before
it is sent to the client.
| Field Name | Description | 
|---|---|
| args | The execution arguments. | 
| result | The execution result. | 
| setResult | Replace the execution result with a new execution result. | 
onEnd
This hook is called at when the AsyncIterable has ended, just before notifying the client.
There is no payload provided for this hook. It is advised to use the payload of onExecuteDone or
onSubscriptionResult to have access to the GraphQL context or other data related to the request.
onDelegationPlan
Called each time a delegation plan is calculated for a query. It is called for each nested selection set level of the query.
This hook is not called for each queries, because the plan is cached. This means it will be called only the first time a query document is encountered since the last schema change.
This hook has a before and after stage. You can return a function to hook into the after stage (see
onDelegationPlanDone).
This hook is mostly used for monitoring and tracing purposes.
| Field Name | Description | 
|---|---|
| supergraph | The GraphQL schema of the supergraph. | 
| subgraph | The name of the subgraph. | 
| sourceSubschema | The schema of the subgraph. | 
| typeName | The name of the type being planed. | 
| variables | The variables provided in the client request. | 
| fragments | The fragments provided in the client request. | 
| fieldNodes | The field nodes of selection set being planned. | 
| context | The GraphQL context object. | 
| requestId | A unique ID identifying the client request. This is used to correlate downstream and upstream requests across services. | 
| log | The Hive Logger instance for the specific request that includes the details of the request and the response. | 
| info | The GraphQLResolveInfoobject of the client query. | 
| delegationPlanBuilder | The delegation plan builder. | 
| setDelegationPlanBuilder | Function to replace the current delegation plan builder. | 
onDelegationPlanDone
Called when a delegation plan has been calculated.
This hook is mostly used for monitoring and tracing purpose.
| Payload Field | Description | 
|---|---|
| delegationPlan | The delegation plan calculated. | 
| setDelegationPlan | Function to replace the current delegation plan with a new delegation plan. | 
onDelegationStageExecute
Called when a delegation plan stage is executed. This can be called multiple times for a query if it requires multiple stages to be fully resolved.
This hooks has a before and after stage. You can return a function to hook into the after stage (see
onDelegationStageExecuteDone).
| Payload Field | Description | 
|---|---|
| object | The object being resolved. | 
| context | The GraphQL context object. | 
| info | The GraphQLResolveInfoobject. | 
| subgraph | The name of the subgraph. | 
| subschema | The schema of the current subgraph. | 
| selectionSet | The selection set node that will be queried. | 
| key | The key for the entity being resolved. | 
| type | The type of the entity being resolved. | 
| typeName | The name of the type being resolved. | 
| resolver | The resolver function for the merged type. | 
| setResolver | Function to set a new resolver for the merged type. | 
| requestId | A unique ID identifying the client request. This is used to correlate downstream and upstream requests across services. | 
| log | The Hive Logger instance for the specific request that includes the details of the request and the response. | 
onDelegationStageExecuteDone
Called when the delegation plan has been executed and all subgraph queries have been done for the current stage.
| Field Name | Description | 
|---|---|
| result | The result of the delegation execution. | 
| setResult | Function to replace the result. | 
onSubgraphExecute
This hook is invoked for ANY request that is sent to the subgraph.
Example actions in this hook:
- Manipulate the request
- Add a custom auth header
- Monitor the subgraph request
You can see Prometheus plugin for an example of how to use this hook.
| Payload Field | Description | 
|---|---|
| subgraph | The GraphQL schema of the subgraph. | 
| subgraphName | The name of the subgraph. | 
| transportEntry | The transport entry that will be used to resolve queries for this subgraph | 
| executionRequest | The execution request object containing details of the upstream GraphQL operation. | 
| setExecutionRequest | Function to replace the current execution request. | 
| executor | The executor function used to execute the upstream request. | 
| setExecutor | Function to replace the current executor. | 
| requestId | A unique ID identifying the client request. | 
| log | The Hive Logger instance for the specific request that includes the details of the request and the response. | 
onSubgraphExecuteDone
Called when the subgraph execution is done and a result has been received.
| Payload Field | Description | 
|---|---|
| result | The result of the subgraph execution, which can be an ExecutionResultor anAsyncIterable<ExecutionResult>. | 
| setResult | Function to replace the result. | 
onExecutionResult
This hook is invoked for each result produced for GraphQL operation, before it is processed to be sent to client.
In particular, it is useful to handle batched operations. If a request contains batched operations,
this hook is called once of each operation, while onResultProcess will be only called once for the
entire request.
Here, you can modify the result, to add monitoring or instrumentation extensions for example.
Example actions in this hook:
- Add metadata to results
- Collect errors
| Payload field | Description | 
|---|---|
| request | The incoming HTTP request as WHATWG Requestobject. Learn more about the request. | 
| result | The execution result, which can be an ExecutionResultWithSerializer, anAsyncIterable<ExecutionResultWithSerializer>. | 
| setResult | Allows to replace the execution result. | 
| context | The GraphQL context. | 
onResultProcess
This hook is invoked after a GraphQL request has been processed and before the response is forwarded to the client. Here you can customize what transport/response processor format should be used for sending the result over the wire.
Example actions in this hook:
- Specify custom response format
- Logging/Metrics
| Field Name | Description | 
|---|---|
| request | The incoming HTTP request as WHATWG Requestobject. | 
| result | The execution result, which can be an ExecutionResultWithSerializer, anAsyncIterable<ExecutionResultWithSerializer>. If the request contains batch queries, this will be an array | 
| setResult | Allows to replace the execution result. | 
| resultProcessor | The result processor to be used to turn the result into an HTTP Responseobject. | 
| acceptableMediaTypes | List of acceptable media types for the result processor. | 
| setResultProcessor | Allows to set the result processor and the accepted media type. | 
| serverContext | The server context which can contain runtime specific data, such as for example reqandresobject when running in Node | 
onResponse
This hook is invoked after a HTTP request (both GraphQL and NON GraphQL) has been processed and after the response has been forwarded to the client. Here you can perform any cleanup or logging operations, or you can manipulate the outgoing response object.
Exceptions thrown by this hook are not caught. This means they will buble up to the HTTP server underlying implementation.
For example, the node:http server crashes the entire process on uncaught exceptions.
Prefer onRequestParse when possible, or wrap the hook code in a try block.
Example actions in this hook:
- Specify custom response format
- Logging/Metrics
| Field Name | Description | 
|---|---|
| request | The incoming HTTP request as WHATWG Requestobject. Learn more about the request. | 
| serverContext | The final context object that is shared between all hooks and the GraphQL execution. Learn more about the context. | 
| response | The outgoing HTTP response as WHATWG Responseobject. Learn more about the response interface. | 
instrumentation
An optional instrumentation instance can be present in the plugin.
This Instrumentation instance allows to wrap an entire phase execution (including all plugin
hooks), meaning running code just before, just after and around the execution of the phase.
It is an advanced feature that most plugins should not need. Its main usage is for tracing or monitoring purposes.
Instrumentation doesn’t have access to input/output of a phase, use hooks to have access to those
data. If needed, we recommend to share data between instrumentation and hooks with a WeakMap and
the given context as the key.
All instrumentation takes 2 parameters:
- payload: an object containing the graphql- context, http- request, or the subgraph- executionRequestdepending on the instrument.
- wrapped: The function representing the execution of the phase. It takes no parameters, and returns- void(or- Promise<void>for asynchrone phases). This function must always be called. If this function returns a- Promise, the instrument should return a- Promiseresolving after it.
Example
const useMyTracer = () => ({
  instrumentation: {
    async request({ request }, wrapped) {
      const start = performance.now()
      // The `wrapped` function represent the execution of this phase.
      // Its argument or result are not accessible, it can only be used to perform action before and after it, or modify its execution context.
      await wrapped()
      const end = performance.now()
      console.log('request', request.headers['Trace-ID'], 'processed in', end - start)
    },
    async operation({ context }, wrapped) {
      const start = performance.now()
      await wrapped()
      const end = performance.now()
      console.log('operation', context.params.operationName, 'executed in', end - start)
    }
  }
})An more extensive example usage of this API can be found in
useOpenTelemetry plugin.
Sharing data between Instrumentation and Hooks
Some plugin will require to share some data between instruments and hooks. Since this API doesn’t allow any access to the wrapped phase, you will need to use an indirect way to share data.
The most straightforward solution is to use a WeakMap with either the context, request or
executionRequest objects as keys.
const useMyTracer = () => {
  const spans = new WeakMap<unknown, Span>()
  return {
    instrumentation: {
      async operation({ context }, wrapped) {
        const span = new Span()
        spans.set(context, span)
        await wrapped()
        span.end()
      }
    },
    onExecute({ args }) {
      const span = spans.get(args.contextValue)
      span.setAttribute('graphql.operationName', args.operationName)
    }
  }
}When your plugin grows in complexity, the number of WeakMaps to track data can become difficult to
reason about and maintain. In this case, you use the withState utility function.
import { withState, type GatewayPlugin } from '@graphql-hive/gateway'
 
type State = { span: Span }
 
const useMyTracer = () =>
  withState<GatewayPlugin, State, State, State>({
    instrumentation: {
      async operation({ state }, wrapped) {
        state.forOperation.span = new Span()
        await wrapped()
        span.end()
      }
    },
    onExecute({ args, state }) {
      state.forOperation.span.setAttribute('graphql.operationName', args.operationName)
    }
  })Instrumentation composition
If multiple plugins have instrumentation, they are composed in the same order they are defined the
plugin array (the first is outtermost call, the last is inner most call).
It is possible to customize this composition if it doesn’t suite your need (ie. you need hooks and instrumentation to have a different oreder of execution).
import { composeInstrumentation, envelop } from '@envelop/core'
 
const { instrumentation: instrumentation1, ...plugin1 } = usePlugin1()
const { instrumentation: instrumentation2, ...plugin2 } = usePlugin2()
 
const instrumentation = composeInstrumentation([instrumentation2, instrumentation1])
 
const getEnveloped = envelop({
  plugin: [{ insturments }, plugin1, plugin2]
})request
Wraps the HTTP request handling. This includes all the plugins onRequest and onResponse hooks.
This instrument can be asynchronous, the wrapped funcion can be asynchronous. Be sure to return
a Promise if wrapped() returned a Promise.
requestParse
Wraps the parsing of the request phase to extract grapqhl params. This include all the plugins
onRequestParse hooks.
This insturment can be asynchronous, the wrapped function can be asynchrounous. Be sure to
return a Promise if wrapped() returns a Promise.
operation
Wraps the Graphql operation execution pipeline. This is called for each graphql operation, meaning it can be called mutliple time for the same HTTP request if batching is enabled.
This instrument can be asynchronous, the wrapped function can be asynchronous. Be sur to return
a Promise if wrapped() returnd a Promise.
init
Wraps the envelop (the call to envelop function) initialisation.
This includes all the plugins onEnveloped hooks, and the creation of the Envelop Orchestrator.
This instrumentation must be synchrone, the wrapped function is always synchrone.
parse
Wraps the parse phase. This includes all the plugins onParse hooks and the actual engine parse.
This instrument must be synchrone, the wrapped function is always synchrone.
validate
Wraps the validate phase. This includes all the plugins onValidate hooks and the actual engine
validate.
This instrument must be synchrone, the wrapped function is always synchrone.
context
Wraps the context building phase. This includes all the plugins onContextBuilding hooks.
This instrument must be synchrone, the wrapped function is always synchrone.
execute
Wraps the execute phase. This includes all the plugins onExecute hooks.
This instrument can be asynchrone, the wrapped function can be asynchrone. Be sure to await or
use .then on the result of the wrapped function to run code after the execute phase.
Note that wrapped is not guaranted to return a promise.
subscribe
Wraps the subscribe phase. This includes all the plugins onSubsribe hooks. Note that it doesn’t
wrap the entire lifetime of the subscription, but only it’s intialisation.
This instrument can be asynchrone, the wrapped function can be asynchrone. Be sure to await or
use .then on the result of the wrapped function to run code after the subsribe phase.
Note that wrapped is not guaranted to return a promise.
subgraphExecute
Wraps the subgraph execution phase. This includes all the plugins onSubgraphExecute hooks.
This instrumentation can be asynchrone, the wrapped function can be asynchrone. Be sure to
return a Promise if wrapped()returns a Promise.
fetch
Wraps the fetch phase. This incudes all the plugins onFetch hooks. Note that this can also be
called outside of the context of a graphql operation, for background tasks like loading the schema.
This instrumentation can be asynchrone, the wrapped function can be asynchrone. Be sure to
return a Promise if wrapped() returns a Promise.
resultProcess
Wraps the context result processing phase. This includes all the plugins onResultProcess hooks.
This instrumentation can be asynchrone, the wrapped function can be asynchronous. Be sure to
return a Promise if wrapped() returns a Promise.
Plugin Context
Hive Gateway comes with ready-to-use log, fetch, cache storage and etc that are shared across
different components. We’d highly recommend you to use those available context values instead of
creating your own for a specific plugin.
import { defineConfig } from '@graphql-hive/gateway'
 
export const gatewayConfig = defineConfig({
  plugins({
    fetch, // WHATWG compatible Fetch implementation.
    log, // Hive Logger instance used by Hive Gateway
    cwd, // Current working directory
    pubsub, // PubSub instance used by Hive Gateway
    cache // Cache storage used by Hive Gateway
  }) {
    return [
      useMyPlugin({ log, fetch }) // So the plugin can use the shared logger and fetch
    ]
  }
})