Home

Awesome

TypeScript Node Express + Apollo GraphQL Starter

A boilerplate for TypeScript + Node Express + Apollo GraphQL APIs.

Table of Contents

Features

Important notes

Setup

architecture

If the nature of your app isn't CRUDy (for a lack of a better word), you probably need domain models and a good amount of layering + mappers. Here's a good article on the topic. Otherwise, proceed.

Prerequisites

Getting Started

# Install dependencies for the host
pnpm install

# Generate GraphQL Types
pnpm generate:gql-types

# Build the project for the first time or when you add dependencies
docker-compose build

# Start the application (or to restart after making changes to the source code)
docker-compose up

# Or run it in detached mode then listen only to this application's logs
docker-compose up -d
docker-compose logs -f api

Then refer to Database Migrations and Seeding to setup the database.

Note: You might be prompted to share your drive with Docker if you haven't done so previously. The drive letter you need to share in this case would be the drive letter of where this repository resides.


If docker compose have bootstrapped all services successfully, you should be able to access:

GraphQL Endpoint

http://localhost:8080/graphql

pgAdmin endpoint

http://localhost:8888/

Login to the pgAdmin page using the credentials below:

FieldValue
emaildev@app.com
passwordpassword

If first time setting up:

FieldValueNotes
Host name/addressdbService name in docker-compose.yml file for our Database service is named db
UsernamepostgresDefault username is postgres
PasswordpasswordAs defined in the docker-compose.yml config

Redis Commander endpoint

http://localhost:8889

Node Express REST Health Check endpoint

http://localhost:8080/api/v1/maintenance/health-check

Note: If you prefer a different port, container name, or anything docker environment related. Just modify the docker-compose.yml file and adjust to your preferred setup.

Project Structure

NameDescription
src/config/*Any app level environment configs should go here.
src/db/schema/index.tsZod Database schemas goes here.
src/db/types.d.tsGenerated types by prisma-kysely.
src/errors/<error-name>.error.tsCustom Errors.
src/generated/**/*.tsGenerated files.
src/graphql/scalars/<scalar-name>.scalar.tsCustom Scalars and their resolvers.
src/graphql/enums/index.tsGraphQL Enum resolvers and internal values.
src/graphql/index.tsApollo GraphQL setup.
src/graphql/schema.tsGraphQL Schema/Resolver builder script.
src/graphql/init-loaders.tsCollect all dataloaders here.
src/graphql/pubsub.tsInitialize pubsub engine here.
src/middlewares/<middleware-name>.middleware.tsNode Express Middleware files.
src/modules/<module-name>/*Your feature modules.
src/modules/_/*Reserved module. Contains root schema for graphql to work along with some sample resolvers.
src/redis/index.tsDefault Redis client is initialized here along with some helpers.
src/shared/Anything that's shared (generic) throughout the app should be placed here.
src/utils/<utility-name>.util.tsUtility files.
src/app.tsMain application file.
.dockerignoreFolder and files ignored by Docker.
.eslintignoreFolder and files ignored by ESLint.
.eslintrc.jsLinter rules are defined here.
.gitignoreFolder and files that should be ignored by git.
.huskyrcHusky config. Git hooks made easy.
.lintstagedrcLint-Staged config. Run commands against staged git files.
.prettierrcPrettier config. An opinionated code formatter.
codegen.ymlGraphQL Code Generator (file watcher) config file.
docker-compose.ymlDocker compose config file.
DockerfileProduction Docker config file.
Dockerfile.devDevelopment Docker config file used by docker-compose.
gulpfile.tsGulp task runner config file.
tsconfig.jsonContains typescript config for this project.

Note: This project structure makes use of barrel files, those index.ts you see on most of the folders. Make sure not to forget to export your newly created files to their respective barrel files (index.ts) if applicable!

Sample Environment File

# Make sure to set this to "production" in production environments
NODE_ENV=

# If you want to change the app port. Defaults to 8080.
PORT=

# DB Connection URLs
POSTGRES_CONNECTION_URL=
REDIS_CONNECTION_URL=

# SuperTokens
SUPERTOKENS_CONNECTION_URL=
SUPERTOKENS_API_KEY=
SUPERTOKENS_APP_NAME=
SUPERTOKENS_API_DOMAIN=
SUPERTOKENS_WEBSITE_DOMAIN=

See files inside src/config/* that uses process.env. Those are the environment variables that you can configure.

Recommended Workflow

Update your database models in the Prisma Schema

If your feature requires modifications to the database, update the Prisma Schema accordingly then run pnpm exec prisma migrate dev.

See docs if you're unfamiliar with this command.

Since we have prisma-kysely configured, this should also generate the corresponding typescript types for your database models and should be usable with Kysely right away for your database queries.

(Optional) Update the seed script

If you want to seed data, update the seed file at prisma/seed.ts accordingly.

Create/Update the corresponding Zod schema for your database model

Based on your database model changes, make sure to reflect your schema changes as well in the src/db/schema/index.ts file.

Create a folder for your Feature Module

  1. Create one under the src/modules/<module_name> directory.

Create a Use Case (and/or Services)

  1. Create a use case TS file under your module.
    • Should be under src/modules/<module_name>/use-cases/<use_case_name>.use-case.ts
  2. Create a Zod schema for your DTO.
  3. Infer the DTO type based on the Zod schema for your use case.
  4. Check for auth requirements if applicable.
  5. Validate DTO.
  6. Write your business logic for the use case.
    • If some operations warrants creating a service, don't hesitate to create one.
  7. Make sure to return an object-like data on your use case functions so that you can easily extend the results if needed.
    • Unless it's a write operation and is idempotent in nature, then you might not need to return anything.

Important:

GraphQL - Create the type definitions for your entity

  1. Create a GraphQL file (.graphql) under a graphql folder of your module: src/modules/<module_name>/graphql/.
    • The folder structure convention is important. This particular path is being used by GraphQL Code Generator and graphql-tools/load-files to locate your type definitions.
  2. Define your GraphQL SDL.
  3. Think in graphs.
    • Your schema doesn't necessarily have to be a reflection of your database schema.

GraphQL - Create a factory for your entity type

  1. If not yet present, create a new folder named factories under src/modules/<module_name>/.

  2. Create a factory file under that folder.

    • Recommended file name should be in the format: <entity-name>.factory.ts
  3. Create the main factory function inside the file:

    • Recommended function name should be in the format: createGQL<graphql-object-type-name>

    • Make sure to specify the return type of this function to the equivalent GraphQL Object Type generated by GraphQL Code Generator.

    • Example:

      function createGQLUser(user: Selectable<User>): GQL_User {
        // ...
      }
      

GraphQL - Create your resolvers

  1. If not yet present, create a new folder named resolvers under src/modules/<module_name>/graphql/.
  2. Create an index.ts file under the folder.
    • Note: This is important as src/graphql/schema.ts uses the index barrels (TS files) to load the resolvers.
  3. Create the query/mutation/subscription resolver file under the folder.
  4. Implement. Refer to the resolvers under user for examples.

Tip: Keep your resolvers thin by making the business logic layer (use cases) do the actual work and calling those in the resolvers.

If you have enums defined in your GraphQL Schema, most likely you have your own internal values which means you'll have to resolve these enums to match your internal values which, most of the time, are internal enums you use in the app. Simply define the enums under the src/graphql/enums directory and make sure to export it on the index barrel.

This is also true to scalars at src/graphql/scalars.

REST - Define routes

  1. If not yet present, create a new folder named routes under src/modules/<module_name>/.
  2. Create an index.ts file inside that folder.
    • Note: This file will contain all your route definitions (router) for that module.
    • Important: Do not forget to import this router on app.ts.
  3. Define the router. See existing index files for examples.

REST - Define route handlers

  1. If not yet present, create a new folder named handlers under src/modules/<module_name>/routes/.
  2. Create a route handler file under that folder.
    • Recommended file name should be in the format: <graphql-object-type-name>.handler.ts
  3. Implement. Refer to the route handlers under user for examples.
  4. Add this route handler to your router.
    • Make sure to wrap this with the async handler util.

Database Migrations and Seeding

Migrations and Seeding is handled by Prisma. Refer to docs on how to work with this.

The environment variables (see src/config/environment.ts file) are currently configured with consideration to a running Docker container so running the scripts below directly from the Host machine wouldn't work. As you can see from the file, the connection strings are pointing to addresses that based on the Docker containers name (defined in docker-compose.yml) and the default Docker Network created from running docker-compose up makes this work.

This means you should run the Prisma commands within the Docker container. You can do this in two simple ways, either use (1) the Docker extension from VS Code or (2) do it via CLI by:

First, identify the Container ID:

docker ps

Then run the following command:

docker exec -it <container_id> sh

Tip: You don't need to supply the entire Container ID, just the first few unique sequence. For example, your target Container ID is dc123f66554b. You can just run docker-exec -it dc sh and you'll be inside the container.

Once inside the container, you can run your prisma commands.

To create a migration and/or run migrations

pnpm exec prisma migrate dev

This will run database migrations. If there are changes in the Prisma Schema before you run this command, it will create a migration file and you will be prompted for a name for the migration. Make sure to double check the output.

Important: If you're not using Docker to run this app, you need to configure the connection strings of the database servers (e.g. Redis, PostgreSQL) via the environment variables.

To seed the database

pnpm exec prisma db seed

Important: Make sure to write idempotent seed scripts!

Resetting the database also runs the seed automatically.

pnpm exec prisma migrate reset

Session Management with Supertokens

This boilerplate makes use of SuperTokens to handle sessions (with cookies) because security is very hard. The folks from Supertokens know really well what they're doing and it'd be in your best interest to know how this topic should be handled properly. Here are some relevant resources:

That said, see SuperTokens docs for specifics.

Unauthenticated requests

When trying this boilerplate and heading to the playground right away to test some GraphQL queries, you'll probably get an Unauthenticated Error. Something like the one below for example when querying users:

{
  "errors": [
    {
      "message": "Unauthenticated. Please try logging in again.",
      "locations": [
        {
          "line": 2,
          "column": 3
        }
      ],
      "path": ["users"],
      "extensions": {
        "code": "UNAUTHENTICATED",
        "data": {
          "$errorId": "801aecca-b19f-410c-9a7e-e9724b6f0e9f"
        }
      }
    }
  ],
  "data": null
}

This is because you're trying to request a resource that requires authentication (and in turn, you'll need a session). See this issue for implementation details of this boilerplate. Basically, the idea is you need the session cookies to be attached on your requests and this can be done after logging in successfully.

You can hit the /api/v1/auth/login/superadmin endpoint to login as superadmin and get a session cookie to make requests on the playground. Your access token might expire after some time so you'll need to refresh it. Under normal circumstances, the frontend SDK of Supertokens will handle this for you but since we're working purely on the backend side for this boilerplate, you'll have to clear the cookies manually and then hit the endpoint again.

If sessions with cookies is not an option for you, Supertokens also supports header-based sessions (basically token-based). See this link for specifics. In the scenario that you're not using any of the Frontend SDK of Supertokens, then refer here.

Note: If you're not using Docker to run this app or prefer using Supertokens' Managed Service, make sure to configure the environment variables. See src/config/supertokens.ts.

Naming Convention

For files and folders

Generally, use snake-case.

In most cases, we include the file functionality in its file name in the format:

<file-name>.<functionality>.<extension>

For example:

TypeScript Interface and Type file names should match their definition name.

For example:

Interface/Type nameFile name
IAccessTokenPayloadIAccessTokenPayload.ts
IContextIContext.ts
UniqueIDUniqueID.ts
MaybeMaybe.ts

Deployment

SuperTokens Core

Read more on the SuperTokens docs based on your infrastructure.

Make sure to configure the database setup.

Node App

There are a few ways to go about this and can vary based on your setup.

Docker Way

Simply build the image from your local machine (or let your CI tool do it) with the command below.

# The dot on the end is important.
docker build -f <docker_file> -t <image_name>[:<image_tag>] .

# Example:
docker build -f Dockerfile -t graphql-starter:latest .

Then push the image you just built from your local machine (or from your CI tool) to your docker image repository (e.g. Docker Hub, AWS ECR, GitHub Container Registry).

docker push <typically_a_url_to_your_docker_image_repository>

Let your host server pull this image and run it from there.

Note: Typically, the tag for the image you built should match the url to your docker image repository. Refer to your image repository provider for specific details.

Extra: If you want to test the image you just built with your local setup, then configure the docker-compose file such that it points to your image instead of building from a Dockerfile. For example:

From:

services:
  api:
    build:
      context: .
      dockerfile: Dockerfile.dev
    command: npm start
    volumes:
      - .:/usr/src/app
      - /usr/src/app/node_modules
    restart: always

To:

services:
  api:
    # Set it to the image you just built
    image: graphql-starter:latest
    restart: always

Build Locally

If you're not using Docker, you can still get your hands on the build files. Normally, you'd want this approach if you're deploying to a VPS and have to move the files via FTP manually to your server or you have a cloud provider that accepts node apps where you'll have to provide it your project files with a package.json file in the project folder (typically zipped).

Build the project:

pnpm build:prod

This will create a build folder in the project directory which you can deploy.

Note: You might need to manually install the dependencies yourself if you're using a VPS. Otherwise, your cloud provider's NodeJS container will typically just need a package.json from the root folder and they'll do the installation on every deploy.

Pro Tips

Contributing

If something is unclear, confusing, or needs to be refactored, please let me know. Pull requests are always welcome but do consider the opinionated nature of this project. Please open an issue before submitting a pull request.

Known dependency issues

It might not look good to list it here but I think it's important for you to be aware of the issues currently being worked on (and hopefully get a fix from their respective authors/maintainers soon) as you'd still end up with these issues if you were to implement these yourself and use the same dependencies.

License

MIT License

Copyright (c) 2019-Present Cerino O. Ligutom III

Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.