Your Web News in One Place

Help Webnuz

Referal links:

Sign up for GreenGeeks web hosting
December 14, 2022 08:07 pm GMT

Why we ditched GraphQL for tRPC

At Echobind, were committed to building the best software we can for our clients. As we choose our technology stack, we have to balance a number of tradeoffs, including stability, flexibility, scalability, and the speed of development. We wrap our favorite tools in a starter repository we call Bison.

We adopted GraphQL in Bison to give our apps end-to-end type checking, with type safety from the database all the way to the UI. Its served us well, and has been the API layer for dozens of apps developed by Echobind.

Were always looking for ways to improve our processes, so when we noticed tRPC starting to become popular, we decided we would take a look. What we saw impressed us, so weve decided to adopt tRPC as the official API layer for Bison.

We've made the change to tRPC in the canary branch, which means it isn't fully released yet. If you want to see what it took to make this migration in Bison, take a look at this commit

What is tRPC?

tRPC and GraphQL serve the same purpose: Getting data from the server to the client. GraphQL is a specification which allows the client to request specific data, which the server resolves into a response with just the fields that were requested.

tRPC, on the other hand, lets the client call server-defined procedures, passing along any relevant inputs and getting back a response. Inputs are type checked at runtime using validator libraries like Zod, and the types of the procedures are inferred from the server to the client. While you can make direct fetch calls to tRPCs API, it includes a wrapper around React Query, a caching layer that provides an excellent user and developer experience.

Both GraphQL and tRPC are perfectly compatible with React and React Native and have first-party client-side library support. Both support end-to-end type checking, with GraphQL requiring a codegen step. And both are fast enough for our purposes.

Heres what that looks like in practice, with mostly equivalent examples for both GraphQL and tRPC. First, let's look at GraphQL, both defining the resolver and fetching on the client (excluding any generated code):

// On the serverexport const User = objectType({  name: 'User',  description: 'A User',  definition(t) {    t.nonNull.id('id');    t.nonNull.date('createdAt');    t.nonNull.date('updatedAt');    t.nonNull.list.nonNull.field('roles', { type: 'Role' });    // Show email as null for unauthorized users    t.string('email', {      resolve: (profile, _args, ctx) => (canAccess(profile, ctx) ? profile.email : null),    });  },});export const UserRole = enumType({  name: 'Role',  members: Object.values(Role),});export const UserWhereUniqueInput = inputObjectType({  name: 'UserWhereUniqueInput',  description: 'Input to find users based on unique fields',  definition(t) {    t.id('id');    t.string('email');  },});export const findUniqueUserQuery = queryField('user', {  type: 'User',  args: {    where: nonNull(arg({ type: 'UserWhereUniqueInput' })),  },  resolve: async (_root, args, ctx) => {    return await ctx.db.user.findUnique({ where: prismaArgObject(args.where) });  },});// On the clientexport const QUERY = gql`  query User($id:ID!) {    user(id:$id) {      name    }  }`;export const UserCell = ({userId}:{userId:string}) => {    const { data, loading, error } = useUserQuery({    variables: {      where: { id: userId },    },  });  // ...}

And then the same, but using tRPC instead:

// On the serverexport const defaultUserSelect = Prisma.validator<Prisma.UserSelect>()({  id: true,  email: true,  createdAt: true,  updatedAt: true,  roles: true,  profile: { select: { firstName: true, lastName: true } },});export const userRouter = t.router({  find: t.procedure    .input(            z.object({                 id: z.string().optional(),                 email: z.string().optional()             })        )    .query(async ({ ctx, input }) => {      const user = await ctx.db.user.findUniqueOrThrow({                 where: input,                select: defaultUserSelect             });      if (!isAdmin(ctx.user) && user.id !== ctx.user?.id) {        return { ...user, email: null };      }      return user;    }),});// On the clientexport const UserCell = ({userId}:{userId:string}) => {    const { data, loading, error } = trpc.user.find.useQuery({id:userId})  // ...}

The difference between these two examples highlights the initial reason we switched from GraphQL to tRPC.

Less Boilerplate

Youll notice in the code samples above, tRPC is able to do the same work with much fewer lines of code. In fact, when we migrated Bison to tRPC, we added 1,765 lines of code while removing3,373 - a net change of 1,608 lines of code!

This is partially because GraphQL famously has the Double declaration problem - theres a lot of repeating yourself, especially if youre using TypeScript. Tools like GraphQL codegen help with this, but its still a lot.

  1. Define the database schema (Prisma)
  2. Define the API schema (Nexus)
  3. Write a GraphQL Operation (gql)
  4. Define the response type definition (GraphQL codegen)
  5. Define the query (Apollo Client)

tRPC trims this down significantly.

  1. Define the database schema (Prisma)
  2. Define the procedure (tRPC router)
  3. Define the query (tRPC client/React Query)

The simplicity speaks for itself.

Avoiding Code Generation

In both cases, we can achieve end-to-end type safety, which is table-stakes for our apps, but the method of achieving this type safety is much more complicated with GraphQL, requiring three layers of code-generation:

  • Prisma generates types from our database schema.
  • Nexus generates types from our database schema.
  • GraphQL Codegen generates frontend types and React hooks from our GraphQL request definitions.

This code generation doesnt come without its consequences. For one app we built at Echobind, Nexus generates a 2000 line type file while GraphQL codegen generates an 8200 dense type file. All of that takes a long time for the type checker to parse and check, both when running tsc and in VSCode. We often need to restart our VSCode language server because it gets bogged down with all of the type checking it has to do.

tRPC instead relies on one very large assumption: Your server is written in TypeScript, and is colocated with the client code. tRPC has you define a server-side router for your procedures, then export the type of that which Typescript automatically infers, and then import that type to be used on the client-side. Since types are automatically removed when Typescript code is compiled, there is no extra code added to the client bundle, and no extra types to slow down the type checker. Just type safety.

Client Bundle Size

Its no secret - the less JavaScript you ship to your users, the better their experience will be. To build great software, you need some JavaScript, but if an alternative comes along that uses less JavaScript, its worth a second look.

Lets compare the client-side dependencies needed for both approaches. These numbers were calculated by putting the packages through bundlephobia.com and tracking the minified + gzip sizes.

GraphQLtRPC
@apollo/client: 40kb@trpc/client: 4.4kb
apollo-upload-client: 1.5kb@trpc/react-query: 1.8kb
graphql: 39.7kb@tanstack/react-query: 12.7kb
@trpc/next: 4.8kb
TOTAL: 81.2kbTOTAL: 23.7kb

The GraphQL bundle is almost 3.5 times the size of tRPC, which means that much more loading time for sites that use it.

As an aside, we could still get the bundle size savings while using GraphQL by combining React Query with a GraphQL request library like the conveniently-named graphql-request (7.9kb).

React Query & Cache Management

A frequent bug weve run into building with Apollo Client has to do with updating the cache after a mutation. If you create your queries right, and if your mutations return the correct data, mutations are supposed to automatically update its fancy normalized cache. But thats rarely how it works out in practice.

This could be a classic case of youre holding it wrong, except its not clear what the correct solution is. Do we need to use refetchQueries? That gets kind of messy depending on which variables are being used for the query. Maybe we should use writeQuery or writeFragment? That has the same pitfalls, plus we have to write a bunch of extra code to surgically alter the cache. It shouldnt be this hard to keep the cache up to date after a request.

Its impossible to overstate how many nice things React Query provides out of the box. Compared to Apollo Clients incredibly complicated normalized cache, React Query is a walk in the park. tRPC simplifies it further by keying the cache entries to each procedure. Triggering a refetch is as easy as running utils.user.find.invalidate({ id: user.id }).

Along with it comes easy mutation handling, simple patterns for optimistic updates (along with rollbacks in case there are errors), and heuristics for automatically refetching data so it stays fresh. Combined with tRPCs type safety, React Query is the most delightful way to fetch data on the client.

IDE Improvements

The methods tRPC 10 uses for type checking have some surprising and convenient side effects. Since the frontend queries are type checked based on the backend procedures, VS Codes Go To Definition feature works across the network boundary. I can click on a procedure definition in a client-side file and it will take me right to where that procedure is defined on the server-side.

It gets better. Not only can we jump to the file, if we use VS Codes Rename All Instances on an input or procedure name, those changes also propagate between the server and client.

Even with the fancy GraphQL codegen, this just isnt possible with the way GraphQL works. Having these tools right in the IDE is a huge win for convenience and productivity.

What did we lose?

Very rarely does a major change like this not have downsides, and leaving GraphQL is no exception. As weve made the jump, there are a handful of things GraphQL provided for free that require a bit more effort using tRPC.

Field Requests

The most obvious is that the client doesnt get to pick which fields it fetches, whereas GraphQL allows the client to define exactly the fields it wants for any request. There are two workarounds.

First, a tRPC procedure could be defined with an input where the client can request certain fields. This might take a bit of finagling to get the input and output types to line up, but would provide a similar experience to GraphQL.

However, I think a better option is to embrace the simplicity of having the client accept whatever the server returns. In my experience, over-fetching is not as big of a problem as many people make it out to be. If there is a particular procedure that returns far too much or not enough data, theres nothing wrong with creating a second procedure that returns data more closely scoped to what the client needs.

Field Resolvers

Another huge benefit of GraphQL is the ability to create custom resolvers on a field-by-field basis. The default is to just pass through whatever value the parent resolver provided for that field, but GraphQL makes it really easy to combine and transform fields, even using arguments from the request as part of the transformation. Common examples include a virtual fullName field which combines the firstName and lastName fields, or a date field which lets the user choose what format they want for the date.

This is another case where tRPC can get around the limitation either by using an input or creating a new procedure to provide the transformed data. Probably my biggest lesson in using tRPC: Creating a new procedure is cheap. So long as they are named well, having many procedures is not a bad thing.

Introspection and Documentation

GraphQL is famous for its self-documenting API. As part of the spec, GraphQL servers can publish an introspection query, which lets anyone see what objects, queries, and mutations the server supports. Its great for visibility and learning what the API supports.

tRPC has no such introspection query. In fact, it isnt great for creating a public facing API. The types themselves work great for building first-party apps, but if you want to open your API up to third parties, youll have to create your own documentation.

There is an OpenAPI Extension for tRPC that can be used to create a more REST-like API from your procedures, and that in turn can be used for auto-generating documentation. But if my app needed to offer third-party API access, I would likely reach for GraphQL again.

Colocated TypeScript Only

One of the best things about GraphQL is that it isnt actually a technology, its just a specification. That means anyone can create a GraphQL server or in any language. So long as it matches the spec, it will work across whatever platform it's used on, whether it be Ruby, JavaScript, Elixir, or Python. Thats part of the reason GraphQL codegen is so valuable. It allows schema definitions and types to be generated regardless of the backend that hosts the GraphQL server.

The same cant be said for tRPC. Its type checking only works if the server is written in TypeScript, since the client needs those TypeScript types to enjoy its type safety. Its possible in the future that servers that implement the tRPC HTTP spec could be written in other languages, but they would require a codegen process to make the proper types available to the client.

And, if your tRPC server is located in a different repository, youll have to figure out a way to get the generated types into your client app to enjoy the type safety. tRPC works best when the client and server are either part of the same app, like with Next.js, or part of a monorepo.

Conclusion

tRPC has proven to be exactly the tool that Echobind needs for building our clients apps. GraphQL may be powerful and capable, but the boilerplate and complexity it requires often slows us down and makes it difficult to build robust, responsive sites. With tRPC, we hope to double down on our commitment to building the best possible software we can for ourselves and our clients.


Original Link: https://dev.to/alexanderson1993/why-we-ditched-graphql-for-trpc-8c4

Share this article:    Share on Facebook
View Full Article

Dev To

An online community for sharing and discovering great ideas, having debates, and making friends

More About this Source Visit Dev To