Sign up for Hasura Newsletter
Loading...

Node.js

GraphQL server with Node

Node.js is an open-source, cross-platform JavaScript runtime environment. Learn more at the official website.

This guide covers common backend application tasks, such as creating REST endpoints using Express and TypeScript. We use Node version 18 or above. We also go over how to integrate your Node app with Hasura.

New to GraphQL? Check out the Introduction to GraphQL tutorial to learn the core concepts quickly.

  • You will learn how to create a GraphQL server with Node.js.
  • If you have an existing GraphQL API with Node.js, you can integrate it with Hasura as a Remote Schema to get a unified GraphQL API.
  • If you have an existing REST API with Node.js, you can transform that declaratively to GraphQL without writing any code using Hasura REST Connectors.
  • You can also re-use or custom write REST endpoints with Node.js and map the endpoint to a GraphQL schema in Hasura.

New to Hasura? The Hasura GraphQL Engine makes your data instantly accessible over a real-time GraphQL API so that you can build and ship modern, performant apps and APIs 10x faster. Hasura connects to your databases, REST and GraphQL endpoints, and third-party APIs to provide a unified, connected, real-time, secured GraphQL API for all your data. Check out the documentation.

Node.js Project Setup for GraphQL Server

Initialize a Node app in a new folder

npm init -y

In the created package.json replace "main": "index.js" with "type": "module"

Install the dependencies we will use

npm install express graphql graphql-request graphql-yoga

Install the dev dependencies

npm install -D @graphql-codegen/cli @graphql-codegen/client-preset @graphql-codegen/typescript @graphql-codegen/typescript-resolvers @tsconfig/node18-strictest @types/express @types/node @typescript-eslint/eslint-plugin @typescript-eslint/parser cross-env eslint ts-node ts-node-dev typescript

Create tsconfig.json

{
"extends": "@tsconfig/node18-strictest/tsconfig.json",
"compilerOptions": {
"importsNotUsedAsValues": "remove"
}
}

Create .eslintrc.cjs

module.exports = {
extends: ["eslint:recommended", "plugin:@typescript-eslint/recommended"],
parser: "@typescript-eslint/parser",
plugins: ["@typescript-eslint"],
root: true,
};

Borrowing from the GraphQL Yoga quickstart we add two scripts to our package.json

{
"scripts": {
"dev": "cross-env NODE_ENV=development ts-node-dev --exit-child --respawn src/main.ts",
"start": "ts-node src/main.ts"
}
}

Create a Node.js GraphQL server with GraphQL Yoga

We can make a custom GraphQL server in Node using GraphQL Yoga and GraphQL Code Generator. Then we connect it to Hasura using a remote schema.

  1. Create server-codegen.ts

    import type { CodegenConfig } from "@graphql-codegen/cli";
    const server: CodegenConfig = {
    schema: "schema.graphql",
    generates: {
    "./src/gql/server/resolvers-types.ts": {
    config: {
    useIndexSignature: true,
    },
    plugins: ["typescript", "typescript-resolvers"],
    },
    },
    };
    export default server;
  2. In package.json add a codgen script

    {
    "scripts": {
    "codegen": "graphql-codegen --config server-codegen.ts"
    }
    }
  3. Define schema.graphql which will create the schema for our GraphQL server

    type Post {
    id: Int!
    title: String!
    }
    type Query {
    posts: [Post]
    }
  4. Run the code generator npm run codegen

  5. Create the GraphQL Yoga server

    import { readFileSync } from "node:fs";
    import { createServer } from "@graphql-yoga/node";
    import { Resolvers } from "./gql/server/resolvers-types";
    const typeDefs = readFileSync("./schema.graphql", "utf8");
    const resolvers: Resolvers = {
    Query: {
    posts: async () => {
    return [
    {
    id: 1,
    title: "hi",
    },
    ];
    },
    },
    };
    const graphQLServer = createServer({ schema: { typeDefs, resolvers } });
  6. Add it to Express

    app.use("/graphql", graphQLServer);
  7. Run the Express app and navigate to <Express URL>/graphql, if everything worked you should be able to query posts

Node.js GraphQL API Federation using Hasura Remote Schema

We can connect our custom GraphQL server to Hasura using remote schemas.

  1. In the Hasura Console remote schema tab, add your Node server <Express URL>/graphql

  2. In the API Explorer tab, try querying the sample shows.

    {
    posts {
    title
    }
    }
Hasura Event Triggers with Node backend

Convert a Node.js REST API endpoint to GraphQL

In this section, we will write a REST Endpoint in Node.js using Express and see how to transform that to GraphQL. We will create a login POST endpoint that takes a username and password and returns an access code.

In our src/main.ts, we use Express to create an HTTP server:

import express from "express";
import { actionRouter } from "./action/action";
export interface ActionPayload<T> {
action: {
name: string;
};
input: T;
request_query: string;
session_variables: Record<string, string>;
}
const app = express();
app.use(express.json());
const port = 3000;
app.use("/action", actionRouter);
app.listen(port, () => {
console.log(`Example app listening on port ${port}`);
});

In action/action.ts, we generate the handler:

import express, { Router, Request, Response } from "express";
import { ActionPayload } from "../main";
const actionRouter: Router = express.Router();
interface loginArgs {
username: string;
password: string;
}
interface LoginResponse {
AccessToken: string;
}
actionRouter.post(
"",
async (
req: Request<object, object, ActionPayload<loginArgs>>,
res: Response<LoginResponse>
) => {
console.log(req.body);
res.send({ AccessToken: "test" });
}
);
export { actionRouter };

Run the app

npm run dev

Add Node REST Endpoint to GraphQL schema using Hasura Actions

When writing a backend we usually have to write around 80% of our code doing boilerplate CRUD operations. Hasura helps us by autogenerating this part.

When we need to write custom business logic we can integrate our Node REST endpoint using Hasura Actions, giving us the best of both worlds.

In the Actions tab on the Hasura Console we will set up a custom login function that calls the REST endpoint we created:

type Mutation {
login(username: String!, password: String!): LoginResponse
}

New types definition:

type LoginResponse {
AccessToken: String!
}

Create the action, click the Codegen tab, and select typescript-express.

Copy the files and run the Express application:

npm run dev

In the Hasura API explorer tab you should now be able to test it

mutation {
login(password: "password", username: "username") {
AccessToken
}
}

Result:

{
"data": {
"login": {
"AccessToken": "test"
}
}
}
Hasura Actions with Node backend

Run async scheduled events using a Node REST API and Hasura GraphQL

Databases like Postgres can run triggers when data changes, with Hasura event triggers we can easily call an HTTP endpoint whenever we have one of these events.

Let's send a webhook when a new user is created and print out their name.

  1. In the Hasura Console add a user table with a Text column name and the frequently used UUID column id.

  2. In the event trigger tab, on the user table, check the insert and via console trigger operations.

  3. The event trigger payload schema can be found in the docs. We make an interface in TypeScript to represent this

    interface EventPayload<New, Old> {
    created_at: string;
    delivery_info: {
    current_retry: number;
    max_retries: number;
    };
    event: {
    data: {
    new: New;
    old: Old;
    };
    op: "INSERT" | "UPDATE" | "DELETE" | "MANUAL";
    session_variables: Record<string, string>;
    trace_context: {
    span_id: string;
    trace_id: string;
    };
    };
    id: string;
    table: {
    name: string;
    schema: string;
    };
    trigger: {
    name: string;
    };
    }
  4. Now we make an REST controller that handles the event

    interface UserTable {
    id: string;
    name: string;
    }
    const eventRouter: Router = express.Router();
    eventRouter.post(
    "",
    async (
    req: Request<object, object, EventPayload<UserTable, null>>,
    res: Response
    ) => {
    console.log(req.body);
    res.sendStatus(200);
    }
    );
    export { eventRouter };
  5. Add the route to src/main.ts

    app.use("/event", eventRouter);

When you add a user in Hasura your Express server should receive the event.

Hasura Event Triggers with Node backend

Example: Querying GraphQL with Node Client graphql-request

To query a GraphQL endpoint from Node we use graphql-request.

  1. Create client-codegen.ts

    import type { CodegenConfig } from "@graphql-codegen/cli";
    const client: CodegenConfig = {
    overwrite: true,
    schema: "<GraphQL URL>",
    documents: "src/**/*.ts",
    generates: {
    "./src/gql/client/": {
    preset: "client",
    plugins: [],
    },
    },
    };
    export default client;
  2. Modify the package.json codegen script

    {
    "scripts": {
    "codegen": "graphql-codegen --config server-codegen.ts && graphql-codegen --config client-codegen.ts"
    }
    }
  3. In src/action/action.ts we add our query. We are going to fetch all users.

    import { GraphQLClient } from "graphql-request";
    import { graphql } from "../gql/client/index";
    const userQuery = graphql(`
    query AllUsers {
    users: user {
    id
    }
    }
    `);
  4. Run codegen npm run codegen

  5. In our action handler query all users

    actionRouter.post(
    "",
    async (
    req: Request<object, object, ActionPayload<loginArgs>>,
    res: Response<LoginResponse>
    ) => {
    const { users } = await request(
    "http://localhost:8080/v1/graphql",
    userQuery
    );
    console.log(users, req.body);
    res.send({ AccessToken: "test" });
    }
    );
  6. Call your action REST endpoint and you should see all users printed out!

Summary

When developing backend applications, we may need to write custom business logic. When we use Hasura, it autogenerates most of our API but gives us escape hatches for this custom logic. We've gone over a few ways you can use the power of Node and TypeScript.

See the server source code on Github.

If you use Hasura and are ready to go to production, check out Hasura Cloud for a fully managed Hasura deployment.

Did you find this page helpful?
Start with GraphQL on Hasura for Free
  • ArrowBuild apps and APIs 10x faster
  • ArrowBuilt-in authorization and caching
  • Arrow8x more performant than hand-rolled APIs
Promo
footer illustration
Brand logo
© 2023 Hasura Inc. All rights reserved
Github
Titter
Discord
Facebook
Instagram
Youtube
Linkedin