nexus, prisma, and type-graphql are tools commonly used in TypeScript-based GraphQL API development, but they serve different purposes. prisma is a type-safe ORM for database access and modeling. type-graphql is a library that uses TypeScript decorators to generate GraphQL schemas from class definitions. nexus was a code-first GraphQL schema construction library, but it has been officially deprecated and is no longer recommended for new projects. While prisma handles data persistence, both nexus and type-graphql focus on defining the GraphQL layer, though through different programming styles.
When building modern full-stack applications with GraphQL and TypeScript, developers often reach for libraries that bridge the gap between type safety, database access, and schema definition. nexus, prisma, and type-graphql each play distinct roles in this ecosystem β but they are frequently confused because they overlap in purpose or are used together. Letβs clarify what each does, how they differ technically, and where they fit in a real-world stack.
nexus is a GraphQL schema construction library. It helps you define your GraphQL types, queries, and mutations in code using a strongly typed, declarative API. It does not handle database operations or object-relational mapping.
// nexus: Define GraphQL schema in code
import { makeSchema, objectType, queryType } from 'nexus';
const User = objectType({
name: 'User',
definition(t) {
t.string('id');
t.string('name');
}
});
const Query = queryType({
definition(t) {
t.field('user', {
type: User,
resolve: () => ({ id: '1', name: 'Alice' })
});
}
});
export const schema = makeSchema({ types: [User, Query] });
prisma is an ORM (Object-Relational Mapper) with a powerful schema-driven workflow. It generates a type-safe client from a declarative data model, enabling direct database access without writing raw SQL. While Prisma can be used with REST or GraphQL, it does not define GraphQL schemas by itself.
// prisma/schema.prisma
model User {
id String @id @default(cuid())
name String
}
// prisma: Use generated client to fetch data
import { PrismaClient } from '@prisma/client';
const prisma = new PrismaClient();
const user = await prisma.user.findUnique({ where: { id: '1' } });
// Fully typed result based on schema
type-graphql is a GraphQL schema generator that uses TypeScript decorators to automatically produce a GraphQL schema from class definitions. Like nexus, it focuses on schema creation β not database interaction.
// type-graphql: Define schema via decorators
import { ObjectType, Field, Query, Resolver } from 'type-graphql';
@ObjectType()
class User {
@Field()
id: string;
@Field()
name: string;
}
@Resolver()
class UserResolver {
@Query(() => User)
user() {
return { id: '1', name: 'Alice' };
}
}
β οΈ Important: As of 2023, the
nexuspackage is deprecated. The official Nexus documentation now recommends migrating to alternatives liketype-graphqlor using Prisma with standalone GraphQL libraries. New projects should avoidnexus.
In practice, these tools are often combined, not chosen in isolation:
// 1. Prisma model (schema.prisma)
model Post {
id String @id
title String
author User @relation(fields: [authorId], references: [id])
authorId String
}
// 2. TypeGraphQL resolver using Prisma client
import { Resolver, Query, Arg } from 'type-graphql';
import { Post } from './entities/Post';
import { prisma } from './prisma';
@Resolver()
export class PostResolver {
@Query(() => [Post])
async posts() {
return prisma.post.findMany();
}
@Query(() => Post)
async post(@Arg('id') id: string) {
return prisma.post.findUnique({ where: { id } });
}
}
This combo gives you end-to-end type safety: from database β Prisma client β resolver β GraphQL response.
nexus uses a functional, builder-style API. You define types by calling functions like objectType() and queryType(). This approach is explicit and composable but requires more boilerplate.
// nexus style (deprecated)
const Post = objectType({
name: 'Post',
definition(t) {
t.string('id');
t.string('title');
t.field('author', { type: User });
}
});
type-graphql uses decorators on classes, which feels more natural if youβre already using classes and OOP patterns in TypeScript. The schema is inferred from metadata.
// type-graphql style
@ObjectType()
class Post {
@Field()
id: string;
@Field()
title: string;
@Field(() => User)
author: User;
}
Developers who prefer functional composition may have favored nexus, while those comfortable with decorators lean toward type-graphql. However, since nexus is deprecated, type-graphql (or newer alternatives like typegraphql-prisma) is the pragmatic choice for decorator-based workflows.
None of these packages β except Prisma β talk to a database directly.
PrismaClient) that maps 1:1 to your database schema. Queries are type-safe and auto-completed in IDEs.If you try to use type-graphql without a data layer, youβll end up mocking data or writing low-level database calls:
// Without Prisma: manual data fetching
@Query(() => User)
user() {
// You'd need to write this yourself
return db.query('SELECT * FROM users WHERE id = ?', ['1']);
}
Thatβs why Prisma is complementary, not competitive, with the other two.
All three aim for strong TypeScript integration, but achieve it differently:
schema.prisma file. Your database model becomes your source of truth.reflect-metadata and proper tsconfig.json settings.With Prisma + TypeGraphQL, you get double type safety:
But you must keep both layers in sync manually β unless you use a tool like typegraphql-prisma, which auto-generates TypeGraphQL classes from your Prisma schema.
nexus β itβs deprecated.// Define schema as string
const typeDefs = gql`
type User {
id: ID!
name: String!
}
type Query {
user(id: ID!): User
}
`;
// Resolver uses Prisma
const resolvers = {
Query: {
user: (_parent, { id }, _context) => {
return prisma.user.findUnique({ where: { id } });
}
}
};
This avoids type-graphql entirely but requires manual schema/resolver alignment.
| Package | Primary Role | Database Access? | Status | Best Paired With |
|---|---|---|---|---|
nexus | GraphQL schema builder | β | Deprecated | β (avoid in new projects) |
prisma | Type-safe ORM | β | Active | Any GraphQL layer |
type-graphql | Decorator-based GraphQL schema | β | Active | Prisma, TypeORM, etc. |
Remember: Prisma solves data persistence; TypeGraphQL solves API definition. They answer different questions β and work best when used together.
Do not choose nexus for new projects β it has been officially deprecated by its maintainers. Existing projects should plan a migration to alternatives like type-graphql or standalone GraphQL schema definitions with Apollo Server. Its functional API was once praised for flexibility, but lack of maintenance makes it a liability.
Choose prisma when you need a modern, type-safe ORM that generates a query client from a declarative data model. It integrates cleanly with any GraphQL layer (including type-graphql) and provides excellent developer experience with auto-completion, migrations, and runtime safety. Ideal for teams prioritizing database reliability and TypeScript synergy.
Choose type-graphql when you want to define your GraphQL schema using TypeScript classes and decorators, enabling automatic schema generation with strong type alignment. It pairs exceptionally well with ORMs like Prisma for full-stack type safety. Best for teams comfortable with decorator-based patterns and seeking to minimize manual schema-resolver wiring.
Declarative, code-first and strongly typed GraphQL schema construction for TypeScript & JavaScript.
npm install nexus graphql
Note you must also add graphql. Nexus pins to it as a peer dependency.
graphql-js types, and it's just a GraphQLSchemaapollo-server, graphql-middleware, etc.import { queryType, stringArg, makeSchema } from 'nexus'
import { GraphQLServer } from 'graphql-yoga'
const Query = queryType({
definition(t) {
t.string('hello', {
args: { name: stringArg() },
resolve: (parent, { name }) => `Hello ${name || 'World'}!`,
})
},
})
const schema = makeSchema({
types: [Query],
outputs: {
schema: __dirname + '/generated/schema.graphql',
typegen: __dirname + '/generated/typings.ts',
},
})
const server = new GraphQLServer({
schema,
})
server.start(() => `Server is running on http://localhost:4000`)
More examples can be found in the /examples directory:
You can find the docs for Nexus here.
If you've been following an SDL-first approach to build your GraphQL server and want to see what your code looks like when written with GraphQL Nexus, you can use the SDL converter.