Rhai Scripts to customize routers

Add custom functionality directly to your router


You can customize your GraphOS Router or Apollo Router Core's behavior with scripts that use the Rhai scripting language . In a Rust-based project, Rhai is ideal for performing common scripting tasks such as manipulating strings and processing headers. Your Rhai scripts can also hook into multiple stages of the router's request handling lifecycle .

Rhai language reference

To learn about Rhai, see the Rhai language reference and some example scripts .

Use cases

Common use cases for Rhai scripts in routers include:

  • Modifying the details of HTTP requests and responses. This includes requests sent from clients to your router, along with requests sent from your router to your subgraphs. You can modify any combination of the following:

    • Request and response bodies

    • Headers

    • Status codes

    • Request context

  • Logging various information throughout the request lifecycle

  • Performing checkpoint-style short circuiting of requests

Setup

To enable Rhai scripts in your router, you add the following keys to the router's YAML config file :

YAML
config.yaml
1# This is a top-level key. It MUST define at least one of the two
2# sub-keys shown, even if you use that subkey's default value.
3rhai:
4  # Specify a different Rhai script directory path with this key.
5  # The path can be relative or absolute.
6  scripts: "/rhai/scripts/directory"
7
8  # Specify a different name for your "main" Rhai file with this key.
9  # The router looks for this filename in your Rhai script directory.
10  main: "test.rhai"
  1. Add the rhai top-level key to your router's YAML config file .

    • This key must contain at least one of a scripts key or a main key (see the example above).

  2. Place all of your Rhai script files in a specific directory.

    • By default, the router looks in the ./rhai directory (relative to the directory the router command is executed from).

    • You can override this default with the scripts key (see above).

  3. Define a "main" Rhai file in your router project.

    • This file defines all of the "entry point" hooks that the router uses to call into your script.

    • By default, the router looks for main.rhai in your Rhai script directory.

    • You can override this default with the main key (see above).

The main file

Your Rhai script's main file defines whichever combination of request lifecycle hooks you want to use. Here's a skeleton main.rhai file that includes all available hooks and also registers all available callbacks :

Click to expand
Rhai
main.rhai
1// You don't need to define all of these hooks! Just define
2// whichever ones your customization needs.
3
4fn supergraph_service(service) {
5  let request_callback = |request| {
6      print("Supergraph service: Client request received");
7  };
8  
9  let response_callback = |response| {
10      print("Supergraph service: Client response ready to send");
11  };
12
13  service.map_request(request_callback);
14  service.map_response(response_callback);
15}
16
17fn execution_service(service) {
18  let request_callback = |request| {
19      print("Execution service: GraphQL execution initiated");
20  };
21  
22  let response_callback = |response| {
23      print("Supergraph service: Client response assembled");
24  };
25
26  service.map_request(request_callback);
27  service.map_response(response_callback);
28}
29
30// Passed an additional `subgraph` parameter that indicates the subgraph's name
31fn subgraph_service(service, subgraph) {
32  let request_callback = |request| {
33      print(`Subgraph service: Ready to send sub-operation to subgraph ${subgraph}`);
34  };
35  
36  let response_callback = |response| {
37      print(`Subgraph service: Received sub-operation response from subgraph ${subgraph}`);
38  };
39
40  service.map_request(request_callback);
41  service.map_response(response_callback);
42}

You can provide exactly one main Rhai file to the router. This means that all of your customization's functionality must originate from these hook definitions.

To organize unrelated functionality within your Rhai customization, your main file can import and use symbols from any number of other Rhai files (known as modules) in your script directory:

Rhai
my_module.rhai
1// Module file
2
3fn process_request(request) {
4  print("Supergraph service: Client request received");
5}
Rhai
main.rhai
1// Main file
2
3import "my_module" as my_mod;
4
5fn process_request(request) {
6  my_mod::process_request(request)
7}
8
9fn supergraph_service(service) {
10  // Rhai convention for creating a function pointer
11  const request_callback = Fn("process_request"); 
12  
13  service.map_request(request_callback);
14}

Router request lifecycle

Before you build your Rhai script, it helps to understand how the router handles each incoming GraphQL request. During each request's execution, different services in the router communicate with each other as shown:

As execution proceeds "left to right" from the RouterService to individual SubgraphServices, each service passes the client's original request along to the next service. Similarly, as execution continues "right to left" from SubgraphServices to the RouterService, each service passes the generated response for the client.

Your Rhai scripts can hook into any combination of the above services (if you are using the Apollo Router Core v1.30.0 and later). The scripts can modify the request, response, and/or related metadata as they're passed along.

Service descriptions

Each service of the router has a corresponding function that a Rhai script can define to hook into that service:

Service /
Function
Description
RouterService
router_service
Runs at the very beginning and very end of the HTTP request lifecycle.For example, JWT authentication is performed within the RouterService.Define router_service if your customization needs to interact with HTTP context and headers. It doesn't support access to the body property (see this GitHub issue for details).
SupergraphService
supergraph_service
Runs at the very beginning and very end of the GraphQL request lifecycle.Define supergraph_service if your customization needs to interact with the GraphQL request or the GraphQL response. For example, you can add a check for anonymous queries.
ExecutionService
execution_service
Handles initiating the execution of a query plan after it's been generated.Define execution_service if your customization includes logic to govern execution (for example, if you want to block a particular query based on a policy decision).
SubgraphService
subgraph_service
Handles communication between the router and your subgraphs.Define subgraph_service to configure this communication (for example, to dynamically add HTTP headers to pass to a subgraph).Whereas other services are called once per client request, this service is called once per subgraph request that's required to resolve the client's request. Each call is passed a subgraph parameter that indicates the name of the corresponding subgraph.

Each service uses data structures for request and response data that contain:

  • A context object that was created at the start of the request and is propagated throughout the entire request lifecycle. It holds:

    • The original request from the client

    • A bag of data that can be populated by plugins for communication across the request lifecycle

  • Any other specific data to that service (e.g., query plans and downstream requests/responses)

Service callbacks

Each hook in your Rhai script's main file is passed a service object, which provides two methods: map_request and map_response. Most of the time in a hook, you use one or both of these methods to register callback functions that are called during the lifecycle of a GraphQL operation.

  • map_request callbacks are called in each service as execution proceeds "to the right" from the router receiving a client request:

    These callbacks are each passed the current state of the client's request (which might have been modified by an earlier callback in the chain). Each callback can modify this request object directly.

    Additionally, callbacks for subgraph_service can access and modify the sub-operation request that the router will send to the corresponding subgraph via request.subgraph.

    For reference, see the fields of request .

  • map_response callbacks are called in each service as execution proceeds back "to the left" from subgraphs resolving their individual sub-operations:

    First, callbacks for subgraph_service are each passed the response from the corresponding subgraph.

    Afterward, callbacks for execution_service, supergraph_service and then router_service are passed the combined response for the client that's assembled from all subgraph responses.

Example scripts

In addition to the examples below, see more examples in the router repo's examples directory . Rhai-specific examples are listed in README.md.

Handling incoming requests

This example illustrates how to register router request handling.

Rhai
1
2// At the supergraph_service stage, register callbacks for processing requests
3fn supergraph_service(service) {
4    const request_callback = Fn("process_request"); // This is standard Rhai functionality for creating a function pointer
5    service.map_request(request_callback); // Register the callback
6}
7
8// Generate a log for each request
9fn process_request(request) {
10    log_info("this is info level log message");
11}

Manipulating headers and the request context

This example manipulates headers and the request context:

Rhai
1// At the supergraph_service stage, register callbacks for processing requests and
2// responses.
3fn supergraph_service(service) {
4    const request_callback = Fn("process_request"); // This is standard Rhai functionality for creating a function pointer
5    service.map_request(request_callback); // Register the request callback
6    const response_callback = Fn("process_response"); // This is standard Rhai functionality for creating a function pointer
7    service.map_response(response_callback); // Register the response callback
8}
9
10// Ensure the header is present in the request
11// If an error is thrown, then the request is short-circuited to an error response
12fn process_request(request) {
13    log_info("processing request"); // This will appear in the router log as an INFO log
14    // Verify that x-custom-header is present and has the expected value
15    if request.headers["x-custom-header"] != "CUSTOM_VALUE" {
16        log_error("Error: you did not provide the right custom header"); // This will appear in the router log as an ERROR log
17        throw "Error: you did not provide the right custom header"; // This will appear in the errors response and short-circuit the request
18    }
19    // Put the header into the context and check the context in the response
20    request.context["x-custom-header"] = request.headers["x-custom-header"];
21}
22
23// Ensure the header is present in the response context
24// If an error is thrown, then the response is short-circuited to an error response
25fn process_response(response) {
26    log_info("processing response"); // This will appear in the router log as an INFO log
27    // Verify that x-custom-header is present and has the expected value
28    if response.context["x-custom-header"] != "CUSTOM_VALUE" {
29        log_error("Error: we lost our custom header from our context"); // This will appear in the router log as an ERROR log
30        throw "Error: we lost our custom header from our context"; // This will appear in the errors response and short-circuit the response
31    }
32}
⚠️ caution
Accessing a non-existent header throws an exception.To safely check for the existence of a header before reading it, use request.headers.contains("header-name").When using contains within subgraph_service, you must assign your headers to a temporary local variable. Otherwise, contains throws an exception that it "cannot mutate" the original request.For example, the following subgraph_service function checks whether the x-custom-header exists before processing it.
Rhai
1// Ensure existence of header before processing
2fn subgraph_service(service, subgraph){
3    service.map_request(|request|{
4        // Reassign to local variable, as contains cannot modify request
5        let headers = request.headers; 
6        if headers.contains("x-custom-header") {
7            // Process existing header
8        }
9    });
10}

Converting cookies to headers

This example converts cookies into headers for transmission to subgraphs. There is a complete working example (with tests) of this in the examples/cookies-to-headers directory .

Rhai
1// Call map_request with our service and pass in a string with the name
2// of the function to callback
3fn subgraph_service(service, subgraph) {
4    // Choose how to treat each subgraph using the "subgraph" parameter.
5    // In this case we are doing the same thing for all subgraphs
6    // and logging out details for each.
7    print(`registering request callback for: ${subgraph}`); // print() is the same as using log_info()
8    const request_callback = Fn("process_request");
9    service.map_request(request_callback);
10}
11
12// This will convert all cookie pairs into headers.
13// If you only wish to convert certain cookies, you
14// can add logic to modify the processing.
15fn process_request(request) {
16    print("adding cookies as headers");
17
18    // Find our cookies
19    let cookies = request.headers["cookie"].split(';');
20    for cookie in cookies {
21        // Split our cookies into name and value
22        let k_v = cookie.split('=', 2);
23        if k_v.len() == 2 {
24            // trim off any whitespace
25            k_v[0].trim();
26            k_v[1].trim();
27            // update our headers
28            // Note: we must update subgraph.headers, since we are
29            // setting a header in our subgraph request
30            request.subgraph.headers[k_v[0]] = k_v[1];
31        }
32    }
33}

Hot reloading

The router "watches" your rhai.scripts directory (along with all subdirectories), and it initiates an interpreter reload whenever it detects one of the following changes:

  • Creation of a new file with a .rhai suffix

  • Modification or deletion of an existing file with a .rhai suffix

The router attempts to identify any errors in your scripts before applying changes. If errors are detected, the router logs them and continues using its existing set of scripts.

 note
Whenever you make changes to your scripts, check your router's log output to make sure they were applied.

Limitations

Currently, Rhai scripts cannot do the following:

  • Use Rust crates

  • Execute network requests

  • Read or write to disk

If your router customization needs to do any of these, you can instead use external co-processing (this is an Enterprise feature ).

Global variables

The router's Rhai interface can simulate closures: https://rhai.rs/book/language/fn-closure.html

However, and this is an important restriction:

" The anonymous function syntax, however, automatically captures variables that are not defined within the current scope, but are defined in the external scope – i.e. the scope where the anonymous function is created. "

Thus it's not possible for a Rhai closure to reference a global variable. For example: this kind of thing might be attempted:

Rhai
1fn supergraph_service(service){
2    let f = |request| {
3        let v = Router.APOLLO_SDL;
4        print(v);
5    };
6    service.map_request(f);
7}

Note: Router is a global variable.

That won't work and you'll get an error something like: service callback failed: Variable not found: Router (line 4, position 17)

There are two workarounds. Either:

  1. Create a local copy of the global that can be captured by the closure:

Rhai
1fn supergraph_service(service){
2    let v = Router.APOLLO_SDL;
3    let f = |request| {
4        print(v);
5    };
6    service.map_request(f);
7}

Or:

  1. Use a function pointer rather than closure syntax:

Rhai
1fn supergraph_service(service) {
2    const request_callback = Fn("process_request");
3    service.map_request(request_callback);
4}
5
6fn process_request(request) {
7    print(`${Router.APOLLO_SDL}`);
8}

Avoiding deadlocks

The router requires its Rhai engine to implement the sync feature to guarantee data integrity within the router's multi-threading execution environment. This means that shared values within Rhai might cause a deadlock.

This is particularly risky when using closures within callbacks while referencing external data. Take particular care to avoid this kind of situation by making copies of data when required. The examples/surrogate-cache-key directory contains an example of this, where "closing over" response.headers would cause a deadlock. To avoid this, a local copy of the required data is obtained and used in the closure.

Services

Callbacks of router_service cannot access the body of a request or response. At the router service stage, a request or response body is an opaque sequence of bytes.

Debugging

Understanding errors

If there is a syntax error in a Rhai script, the router will log an error message at startup mentioning the apollo.rhai plugin. The line number in the error message describes where the error was detected, not where the error is present. For example, if you're missing a semicolon at the end of line 10, the error will mention line 11 (once Rhai realizes the mistake).

Syntax highlighting

Syntax highlighting can make it easier to spot errors in a script. We recommend using the online Rhai playground or using VS Code with the Rhai extension .

Logging

For tracking down runtime errors, insert logging statements to narrow down the issue.