Remix, Payload in a Single Express Server Monorepo

Published On
Remix Payload monorepo
Remix Payload monorepo

Payload CMS’ Local API is an incredibly powerful tool when building server-side rendered applications.

In this post, we’ll look at an example of a monorepo with multiple apps; a Remix and Payload application communicating through the Local API, served by the same Express server.

Payload and Remix in a monorepo setup

Recently, there have been many frontend frameworks with SSR (server-side rendering) capabilities released. One of those is Remix, which uses React for it's rendering. Integrating Payload with such framework has, in my case, turned out fantastic. Therefore I wanted to share my thoughts and an example of such setup.

All the code can be found in this repository as a template for your next project. Consult the project documentation for more information about the technologies used, and it's setup.

Why a monorepo?

Since I learned that Payload has a local API, which I certainly find is one of the best features of Payload, I have thought about the best way to use it.

While it is possible to set up a repository with a single package where all your dependencies is installed, this could cause a few problems. React for example, is a peer dependency of Remix, which means that you are installing React yourself in order for Remix rendering to work. What if you wanted to write custom Payload components, and it turns out that Remix and Payload requires different versions of React? You would need to use package manager's aliasing feature as a work around. This would mostly work, but there is a better solution.

A monorepo lets you define multiple packages, where each package requires their own set of dependencies. The Remix application may require version 17 of react, while the Payload application requires react 18. This flexibility in dependency management make it worth paying for a more complex project setup, in this case a monorepo managed using Turborepo.

Why Remix?

The way Payload can be integrated with Remix turns out to be very elegant. In the example repository, since we are running the Remix and Payload instances in the same express server (you guessed it) we can use Payload's Local API.

This is how you integrate Payload with Remix:

1
// apps/server/index.ts
2
import payload from 'payload';
3
import express from 'express';
4
import { createRequestHandler } from '@remix-run/express';
5
6
// Initialize the Payload instance
7
payload.init({
8
express: app,
9
mongoURL: MONGODB_URL,
10
secret: PAYLOADCMS_SECRET,
11
onInit: () => {
12
payload.logger.info(`Payload Admin URL: ${payload.getAdminURL()}`);
13
},
14
});
15
16
// Pass any request that wasn't handled by Payload to Remix by utilizing it's createRequestHandler
17
app.all('*', (req, res, next) =>
18
createRequestHandler({
19
...,
20
getLoadContext(req, res) {
21
return {
22
payload: req.payload,
23
user: req?.user,
24
res,
25
};
26
},
27
})(req, res, next)
28
);

By returning the Payload instance from Remix’s getLoadContext, we can use Payload Local API from any Remix Action or Loader (which is used to load and mutate data on the server side in Remix).

1
export const loader: LoaderFunction = async ({
2
context: { payload, user },
3
}): Promise<LoaderData> => {
4
if (!user) {
5
return { users: [], authenticatedUser: undefined };
6
}
7
const { docs: users } = await payload.find({
8
collection: 'users',
9
user,
10
overrideAccess: false
11
});
12
13
return { users, authenticatedUser: user };
14
};

A subtle but significant advantage of this integration is that Remix don't have to know about or bundle a single line of code from the Payload project in order to work. This is because the Payload instance is passed to Remix during runtime.

The user in above example is actually originates from Payload as well, meaning we are using the Payload authentication system in our Remix application. This is accomplished by adding the Payload authentication middleware to Remix's Express routes.

Read more about this in the Payload documentation.

Local API

Apart from not having to use HTTP in order to communicate with your CMS and the performance benefits that comes with, this is also noteworthy:

The local API gives us the ability to bypass access control, when needed!

Imagine having a statistics collection which only administrators have CRUD (create, read, update and delete) access to. How would you register usage statistics for users other than administrators?

When using the HTTP API's there are of course solutions to this, like authorizing the statistics API through the usage of ab API key instead (yes, Payload have you covered here as well) or using collection hooks. But it certainly is a lot easier to simply bypass the Payload access control in the local API:

1
const response = await payload.create({
2
collection: 'statistics',
3
data: {
4
// ...
5
},
6
overrideAccess: true
7
});

While this functionality should be used with care, it is really nice to have available in your tool set.

Routing

Like NextJS, Remix is using a file based routing system. This means that you can create a file in the app/routes folder and Remix will automatically create a route for it. The example project have a Pages collection that we would like to use as pages in our application that the user should be able to navigate between.

In order for our Remix application to use the Pages collection as routes, we will use the following routing features in Remix:

The Pages collection has a slug field which is automatically populated based on the title (through a beforeChange hook), which we can use as a dynamic segment in our route.

First of all, let's create a dynamic route in Remix: project └── apps └── web └── app └── routes └── $page.tsx Now we simply need to fetch the correct page from Payload and render it.

1
import { Response } from '@remix-run/node';
2
import type { Page } from '@org/cms';
3
import type { TypedResponse, LoaderFunction } from '@remix-run/node';
4
5
export type LoaderData = {
6
pages: Page[];
7
};
8
export const loader: LoaderFunction = async ({
9
context: { payload, user },
10
request,
11
params,
12
}): Promise<LoaderData | TypedResponse<never>> => {
13
const { pathname } = new URL(request.url);
14
if (pathname === '/') {
15
// Redirect to the home page if no route path is used. This could as easily have been a Payload Global.
16
return redirect('/home');
17
}
18
19
const { pageSlug } = params;
20
const { docs: [page] } = await payload.find({
21
collection: 'pages',
22
user,
23
overrideAccess: false,
24
where: { slug: { equals: pageSlug }},
25
});
26
27
if (!page) {
28
return new Response('Not found', { status: 404 });
29
}
30
31
return { page };
32
};

With the loader defined, the page can now be used inside our route component through Remix`s useLoaderData hook. If you are interested in an example of this, take a look at the example project. We do have a small issue here though, even though we try to redirect any user visiting the "/" route, this will currently not happen. This is because Remix is mapping the "/" route to an index route, which we currently don't have.

To resolve this we can either:

  • Create an index route which allow the user to navigate to the other pages, or;
  • Simply re-export the default loader and component from our dynamic $page route

The second option looks like:

1
// project/app/routes/index.tsx
2
export { default } from './$page';

Now, our $page route will be rendered when the user visits the "/" route as well. In the example project, we have refactored the loader above from being defined in the $page route into the root route instead. This is simply because we want to be able to create a navigation menu with all the pages, not only the current page the user is visiting.

Even though we fetch the pages in the root route, we can still access them in the $page route through the useMatches hook:

1
import type { RootLoaderData } from '~/root';
2
3
export default function Page() {
4
const { page: pageSlug } = useParams();
5
const [{ data }] = useMatches();
6
const { pages, user } = data as RootLoaderData;
7
const page = pages?.find((page) => page.slug === pageSlug);
8
// ...
9
}

Layout Route

Remix have a concept of Layout Routes, which is a way to wrap your routes with a layout component. A Layout Route is simply a react component that wraps your subroutes. This is useful for things like a navigation bar, or a footer. Since we already have a $page route that acts like a global route for all our pages, we want to add a layout route to wrap the $page route. Layout routes are named the same as the static part of subroutes they wrap. This is a problem for us, since we only have a dynamic route.

In order to solve this, we can use a Pathless Layout Route. The file structure looks like this:

project └── apps └── web └── app └── routes └── __page └── $page.tsx // Dynamic route └── index.tsx // Re-export the default loader and component from our dynamic `$page` route └── __page.tsx // Pathless Layout Route

In the example project we render the navigation menu in the Layout Route, and the page content in the $page route.

SEO

So, you have done a good job defining fields in your collections in regards to SEO, such as page title, description and keywords, right?

In Remix we can simply export a meta function from a route component, and when it renders, it will automatically add the meta tags that we return from the function to the page. Since we have already loaded all the pages in the root route, we can export a meta function like this, from the $page route:

1
import type { MetaFunction } from '@remix-run/node';
2
3
export const meta: MetaFunction = ({ parentsData, params }) => {
4
const { page: pageSlug } = params;
5
const {
6
root: { pages },
7
} = parentsData;
8
9
const page = pages?.find((page) => page.slug === pageSlug);
10
return {
11
title: page?.meta.title,
12
description: page?.meta.description,
13
keywords: page?.meta.keywords,
14
};
15
};

Access Control

We automatically seed two users and two pages into the database on the first startup, one user with the role admin and one with the role user. The admin user can access the everything (including the admin UI), and the user user can only access the public pages in the Remix application.

Try logging in to the Remix application as the user user, and you will see that you can only access the home page, while the admin user can access all the pages. This is all handled in the access control functions in Payload.

The developer experience of defining a single source of truth for you access control, which then cascades down to your API, admin UI and Remix application is amazing, in my personal opinion.

We can't wait to see what you build with it!

Bonuses

Lastly, here are a few tips and tricks that I have found useful when working with Payload and Remix—

Typed Remix context:

1
// In a *.d.ts file that is loaded in your tsconfig.json
2
3
// User is coming from Payload's genereteTypes feature, based on the Users collection
4
declare module '@remix-run/node' {
5
interface AppLoadContext {
6
payload: Payload;
7
user: {
8
user?: User;
9
token?: string;
10
exp?: number;
11
};
12
res: Response;
13
}
14
}

Let Payload set a User on the response object, when performing the Login operation through the Local API:

1
// In a Remix login action
2
export const action: ActionFunction = async ({
3
context: { payload, user, res },
4
request,
5
}) => {
6
// ... other code
7
8
await payload.login({
9
collection: 'users',
10
data: { email, password },
11
res, // <-- Pass the response object to Payload like this
12
});
13
14
return redirect('/');
15
};