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.
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.
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.
Prisma is a next-generation ORM that consists of these tools:
Prisma Client can be used in any Node.js or TypeScript backend application (including serverless applications and microservices). This can be a REST API, a GraphQL API a gRPC API, or anything else that needs a database.
If you need a database to use with Prisma ORM, check out Prisma Postgres or if you are looking for our MCP Server, head here.
The fastest way to get started with Prisma is by following the Quickstart (5 min).
The Quickstart is based on a preconfigured SQLite database. You can also get started with your own database (PostgreSQL and MySQL) by following one of these guides:
Prisma has a large and supportive community of enthusiastic application developers. You can join us on Discord and here on GitHub.
If you have a security issue to report, please contact us at security@prisma.io.
You can ask questions and initiate discussions about Prisma-related topics in the prisma repository on GitHub.
If you see an error message or run into an issue, please make sure to create a bug report! You can find best practices for creating bug reports (like including additional debugging output) in the docs.
If Prisma currently doesn't have a certain feature, be sure to check out the roadmap to see if this is already planned for the future.
If the feature on the roadmap is linked to a GitHub issue, please make sure to leave a +1 on the issue and ideally a comment with your thoughts about the feature!
Refer to our contribution guidelines and Code of Conduct for contributors.