Usage with the Fetch API
Example app​
| Description | Links | 
|---|---|
| 
 | 
How to use tRPC in a Cloudflare Worker​
Install dependencies​
yarn add @trpc/server wrangler@beta zod
Zod isn't a required dependency, but it's used in the sample router below.
Create the router​
First of all you need a router to handle your queries, mutations and subscriptions.
A sample router is given below, save it in a file named router.ts.
router.ts
import { initTRPC } from '@trpc/server';
import { z } from 'zod';
import { Context } from './context';
type User = {
  id: string;
  name: string;
  bio?: string;
};
const users: Record<string, User> = {};
export const t = initTRPC<{ ctx: Context }>()();
export const appRouter = t.router({
  getUserById: t.procedure.input(z.string()).query(({ input }) => {
    return users[input]; // input type is string
  }),
  createUser: t.procedure
    // validate input with Zod
    .input(
      z.object({
        name: z.string().min(3),
        bio: z.string().max(142).optional(),
      }),
    )
    .mutation(({ input }) => {
      const id = Date.now().toString();
      const user: User = { id, ...input };
      users[user.id] = user;
      return user;
    }),
});
// export type definition of API
export type AppRouter = typeof appRouter;
If your router file starts getting too big, split your router into several subrouters each implemented in its own file. Then merge them into a single root appRouter.
Create the context​
Then you need a context that will be created for each request.
A sample context is given below, save it in a file named context.ts:
context.ts
import { inferAsyncReturnType } from '@trpc/server';
import { FetchCreateContextOption } from '@trpc/server/adapters/fetch';
export function createContext({ req }: FetchCreateContextOption) {
  const user = { name: req.headers.username ?? 'anonymous' };
  return { req, user };
}
export type Context = inferAsyncReturnType<typeof createContext>;
Create Cloudflare Worker​
tRPC includes an adapter for the Fetch API out of the box. This adapter lets you convert your tRPC router into a Request handler that returns Response objects.
import { fetchRequestHandler } from '@trpc/server/adapters/fetch';
import { appRouter } from './router';
export default {
  async fetch(request: Request): Promise<Response> {
    return fetchRequestHandler({
      endpoint: '/trpc',
      req: request,
      router: appRouter,
    });
  },
};
Run wrangler dev server.ts and your endpoints will be available via HTTP!
| Endpoint | HTTP URI | 
|---|---|
| getUser | GET http://localhost:8787/trpc/getUserById?input=INPUTwhere INPUTis a URI-encoded JSON string. | 
| createUser | POST http://localhost:8787/trpc/createUserwith req.bodyof typeUser |