Meta note: This is the primary agent knowledge base file.
CLAUDE.mdandGEMINI.mdare symlinks to this file—always editAGENTS.mddirectly. When learning something new about the codebase that would help with future tasks, update this file immediately.
-
Repository scope: Monorepo for Prisma ORM, CLI, client, tests, etc. Many packages use TypeScript, Rust and WebAssembly (via engines), TSX, and Jest; automation relies on
pnpm. Expect large fixture directories and generated files. -
Workspace layout: Managed via pnpm workspaces and Turborepo (
turbo.json). Node ^20.19 || ^22.12 || >=24.0 and pnpm >=10.15 <11 are required (see rootpackage.json). Top-level scripts (pnpm build,pnpm dev,pnpm test) delegate intoscripts/ci/publish.ts; package-specific commands run withpnpm --filter @prisma/<pkg> <script>. Turborepo caches builds; runpnpm buildfrom root to build all packages in dependency order. -
Key packages:
packages/cli(Prisma CLI entry point),packages/migrate(migrate/db namespace + fixtures),packages/client(client runtime),packages/client-generator-ts(newprisma-clientgenerator),packages/client-generator-js(traditionalprisma-client-jsgenerator),packages/client-generator-registry(generator registry for managing generators),packages/client-engine-runtime(the core part of the new Rust binary free client based on Wasm query compiler, used byClientEngineclass inpackages/client),packages/client-common(shared client utilities),packages/client-runtime-utils(utility types and singletons for Prisma Client),packages/config(PrismaConfigInternal+ loader),packages/internals(shared CLI + engine glue),packages/engines(Rust binaries download wrapper),packages/integration-tests(matrix suites),packages/query-plan-executor(standalone query plan executor service for Prisma Accelerate),packages/credentials-store(credential storage utilities), sqlcommenter packages underpackages/sqlcommenter*, and numerous driver adapters underpackages/adapter-*. -
Driver adapters & runtimes:
packages/bundled-js-driversplus theadapter-*packages ship JS driver adapters:adapter-pg,adapter-neon,adapter-libsql,adapter-planetscale,adapter-d1,adapter-better-sqlite3,adapter-mssql,adapter-mariadb,adapter-ppg(Prisma Postgres Serverless). These are built on helpers indriver-adapter-utils; migrate/client fixtures exercise them, so adapter changes typically require fixture/test updates. CI tests driver adapters with flavors:js_pg,js_neon,js_libsql,js_planetscale,js_d1,js_better_sqlite3,js_mssql,js_mariadb,js_pg_cockroachdb. -
Build & tooling: Typescript-first repo with WASM/Rust assets (downloaded by
@prisma/engines). Multipletsconfig.*drive bundle vs runtime builds. Lint viapnpm lint, format viapnpm format. Maintenance scripts live inscripts/(e.g.bump-engines.ts,bench.ts,ci/publish.tsorchestrates build/test/publish flows). Build configuration uses esbuild viahelpers/compile/build.tswith configs inhelpers/compile/configs.ts. Most packages useadapterConfigwhich bundles to both CJS and ESM with type declarations. -
Benchmarking: Comprehensive performance benchmarks using Benchmark.js with CodSpeed integration. See
docs/benchmarking.mdfor full documentation. Key commands:pnpm bench- Run all benchmarks (outputs tooutput.txt)pnpm bench <pattern>- Run benchmarks matching pattern- Benchmark locations:
- End-to-end query performance:
packages/client/src/__tests__/benchmarks/query-performance/query-performance.bench.ts - Query compilation:
packages/client/src/__tests__/benchmarks/query-performance/compilation.bench.ts - Query interpreter/data mapper:
packages/client-engine-runtime/bench/interpreter.bench.ts - Client generation:
packages/client/src/__tests__/benchmarks/huge-schema/,packages/client/src/__tests__/benchmarks/lots-of-relations/
- End-to-end query performance:
- Benchmarks run automatically on CI via
.github/workflows/benchmark.yml; CodSpeed tracks performance over time and alerts on >100% regression.
-
Testing & databases:
TESTING.mdcovers Jest/Vitest usage. Most suites run aspnpm --filter @prisma/<pkg> test <pattern>. DB-backed tests expect.db.envand Docker services fromdocker/docker-compose.yml(docker compose up -d). Client functional tests sit inpackages/client/tests/functional—run them viapnpm --filter @prisma/client test:functional(with typechecking) orpnpm --filter @prisma/client test:functional:code(code only);helpers/functional-test/run-tests.tsdocuments CLI flags to target providers, drivers, etc. Client e2e suites require a freshpnpm buildat repo root, thenpnpm --filter @prisma/client test:e2e --verbose --runInBand. The legacypnpm --filter @prisma/client testcommand primarily runs the older Jest unit tests plustsdtype checks. Migrate CLI suites live inpackages/migrate/src/__tests__, the CLI runs both Jest (legacy suites) and Vitest (new subcommand coverage) viapnpm --filter prisma test, and end-to-end coverage lives inpackages/integration-tests. -
Client functional tests structure:
- Each test lives in its own folder under
packages/client/tests/functional/(orissues/for regression tests). - Required files:
_matrix.ts(test configurations),test.tsortests.ts(test code),prisma/_schema.ts(schema template). _matrix.tsdefines provider/adapter combinations usingdefineMatrix(() => [[{provider: Providers.POSTGRESQL}, ...]]).prisma/_schema.tsexportstestMatrix.setupSchema(({ provider }) => ...)returning a Prisma schema string.- Test file uses
testMatrix.setupTestSuite(() => { test(...) }, { optOut: { from: [...], reason: '...' } }). - Run specific adapter:
pnpm --filter @prisma/client test:functional:code --adapter js_pg <pattern>(adapters:js_pg,js_neon,js_libsql,js_planetscale,js_d1,js_better_sqlite3,js_mssql,js_mariadb,js_pg_cockroachdb). - For error assertions, use
result.name === 'PrismaClientKnownRequestError'andresult.code(notinstanceof). - Use
idForProvider(provider)from_utils/idForProviderfor portable ID field definitions.
- Each test lives in its own folder under
-
Docs & references:
ARCHITECTURE.mdcontains dependency graphs (requires GraphViz to regenerate),docker/README.mdexplains local DB setup,docs/benchmarking.mdcovers performance benchmarking,examples/provides sample apps, andsandbox/hosts debugging helpers like the DMMF explorer. -
Client architecture (Prisma 7):
ClientEngineinpackages/client/src/runtime/core/engines/client/orchestrates query execution using Wasm query compiler.- Two executor implementations:
LocalExecutor(driver adapters, direct DB) andRemoteExecutor(Accelerate/Data Proxy). QueryInterpreterclass inpackages/client-engine-runtime/src/interpreter/query-interpreter.tsexecutes query plans againstSqlQueryable(driver adapter interface).- Query flow:
PrismaClient→ClientEngine.request()→ query compiler →executor.execute()→QueryInterpreter.run()→ driver adapter. ExecutePlanParamsinterface inpackages/client/src/runtime/core/engines/client/Executor.tsdefines what's passed through the execution chain.TransactionManagerinpackages/client-engine-runtime/src/transaction-manager/transaction-manager.tsowns interactive transaction IDs and implements nested transactions using savepoints. Savepoint SQL is provider-specific (e.g. PostgreSQL usesROLLBACK TO SAVEPOINT <name>, MySQL/SQLite useROLLBACK TO <name>, SQL Server usesSAVE TRANSACTION <name>/ROLLBACK TRANSACTION <name>and has no release statement).Transactioninpackages/driver-adapter-utilsmodels savepoint behavior as async methods (createSavepoint,rollbackToSavepoint, optionalreleaseSavepoint) instead of returning SQL viasavepoint(action, name).TransactionManagerexpects adapter methods for savepoints and does not synthesize provider fallback SQL.- Fluent API
dataPathis built inpackages/client/src/runtime/core/model/applyFluent.tsby appending['select', <relationName>]on each hop; runtime unpacking inpackages/client/src/runtime/RequestHandler.tscurrently strips'select'/'include'segments beforedeepGet. - In extension context resolution,
dataPathshould be interpreted as selector/field pairs (select|include, relation field). Do not strip by raw string value or relation fields literally namedselect/includeget dropped.
-
Adding PrismaClient constructor options:
- Runtime types:
PrismaClientOptionsinpackages/client/src/runtime/getPrismaClient.ts. - Validation:
packages/client/src/runtime/utils/validatePrismaClientOptions.ts(add toknownPropertiesarray andvalidatorsobject). - Engine config:
EngineConfiginterface inpackages/client/src/runtime/core/engines/common/Engine.ts. - Generated types: Update both
packages/client-generator-js/src/TSClient/PrismaClient.ts(buildClientOptionsmethod) andpackages/client-generator-ts/src/TSClient/file-generators/PrismaNamespaceFile.ts(buildClientOptionsfunction). - Use
@prisma/ts-buildersfor generating TypeScript type declarations. - Current known options:
errorFormat,adapter,accelerateUrl,log,transactionOptions,omit,comments,__internal.
- Runtime types:
-
Creating new packages:
- Create directory under
packages/, addpackage.json,tsconfig.json,tsconfig.build.json, andhelpers/build.ts. - Package is auto-discovered via
pnpm-workspace.yamlglobpackages/*. - For type-only packages, use
adapterConfigfromhelpers/compile/configs.ts. - Add as dependency to consuming packages using
"workspace:*"version. - Important: Add resolution path to
tsconfig.build.bundle.jsonundercompilerOptions.pathsfor go-to-definition to work in editors. - Important: If the package has tests, add it to
.github/workflows/test-template.yml. Utility packages typically go in:othersjob (Linux, no Docker): includesdebug,generator-helper,get-platform,fetch-engine,engines,instrumentation,instrumentation-contract,schema-files-loader,config,dmmf,generator,credentials-store,sqlcommenter-*packages.client-packagesjob: includesclient-common,client-engine-runtime,ts-builders,client-generator-js,client-generator-ts,client-generator-registry.driver-adapter-unit-testsjob: includesadapter-libsql,adapter-mariadb,adapter-d1,adapter-pg,adapter-planetscale,adapter-mssql,adapter-neon.no-dockerjob (Windows/macOS): mirrors theothersandclient-packagesjobs for cross-platform testing.
- Create directory under
-
Prisma 7 direction: Migration from
schema.prismadatasource URLs /env()toprisma.config.ts. Commands, tests, and fixtures should read connection settings fromPrismaConfigInternal.datasource(or driver adapters) rather than CLI flags or environment loading. SQLite datasource URLs now resolve relative to the config file and not to the schema. -
Test helpers:
ctx.setConfigFile('<name>')(from__helpers__/prismaConfig.ts) overrides the config used for the next CLI invocation and is automatically reset after each test, so no explicit cleanup is needed. Many migrate fixtures now provide one config per schema variant (e.g.invalid-url.config.tsnext toprisma/invalid-url.prisma) and tests swap them viactx.setConfigFile(...).ctx.setDatasource/ctx.resetDatasourcecontinue to override connection URLs when needed. -
CLI commands: Most commands already accept
--configfor custom config paths. Upcoming work removes--schema/--urlin favour of config-based resolution. When editing CLI help text, keep examples aligned with new config-first workflow.- For isolated Studio verification, you can run
packages/cli/src/Studio.tsdirectly viapnpm exec tsxand pass a config object that preservesloadedFromFile; this keeps SQLite URLs resolving relative to the config file while avoiding unrelatedpackages/cli/src/bin.tsimports. - Studio is now pre-bundled into
packages/cli/build/studio.jsandpackages/cli/build/studio.css, served only through explicit routes inpackages/cli/src/Studio.tsvia the runtime-specificpackages/cli/src/studio-server.tsbindings, and should keep listener-level coverage inpackages/cli/src/__tests__/studio-server.vitest.tsbecause a past Node regression droppedGETbodies by treating them likeHEAD. - If Enter or click does not open a cell editor in Studio, verify that the current table and column are writable before assuming a keyboard regression; views/system tables and read-only columns legitimately stay non-editable.
- For isolated Studio verification, you can run
-
Driver adapters datasource:
- Helper
ctx.setDatasource()in tests overrides config.datasource for connection-specific scenarios.
- Helper
-
Testing patterns:
- Tests rely on fixtures under
packages/**/src/__tests__/fixtures; many now containprisma.config.ts. - Default Jest/Vitest runner is invoked via
pnpm --filter @prisma/<pkg> test <pattern>; it wrapsdotenvand expects.db.env.- Some packages already use Vitest,
packages/cliuses both for different tests as it's in the process of transition, older packages still use Jest.
- Some packages already use Vitest,
- Functional generated clients in
packages/client/tests/functional/**/.generatedimportpackages/client/runtime/client.jsdirectly; runtime changes insrc/runtimemay need corresponding runtime bundle updates to be exercised by functional tests. - Inline snapshots can be sensitive to formatting; prefer concise expectations unless the exact message matters.
- Tests rely on fixtures under
-
Environment loading: Prisma 7 removes automatic
.envloading. -
Driver adapter error handling:
- Database errors are mapped in each adapter's
errors.ts(e.g.,packages/adapter-pg/src/errors.ts). MappedErrortype inpackages/driver-adapter-utils/src/types.tsdefines all known error kinds.- Known error kinds include:
GenericJs,UnsupportedNativeDataType,InvalidIsolationLevel,LengthMismatch,UniqueConstraintViolation,NullConstraintViolation,ForeignKeyConstraintViolation,DatabaseNotReachable,DatabaseDoesNotExist,DatabaseAlreadyExists,DatabaseAccessDenied,ConnectionClosed,TlsConnectionError,AuthenticationFailed,TransactionWriteConflict,TableDoesNotExist,ColumnNotFound,TooManyConnections,ValueOutOfRange,InvalidInputValue,MissingFullTextSearchIndex,SocketTimeout,InconsistentColumnData,TransactionAlreadyClosed, and database-specific kinds (postgres,mysql,sqlite,mssql). convertDriverError()in each adapter maps database-specific error codes toMappedErrorkinds.rethrowAsUserFacing()inpackages/client-engine-runtime/src/user-facing-error.tsmapsMappedErrorkinds to Prisma error codes (P2xxx).- To add a new error mapping: (1) add kind to
MappedErrorin driver-adapter-utils, (2) map database error code in relevant adapter(s), (3) add Prisma code mapping ingetErrorCode()and message inrenderErrorMessage(). - Raw queries (
$executeRaw,$queryRaw) userethrowAsUserFacingRawError()which always returns P2010; regular Prisma operations userethrowAsUserFacing().
- Database errors are mapped in each adapter's
-
SQL Commenter packages:
@prisma/sqlcommenter: Core types (SqlCommenterPlugin,SqlCommenterContext,SqlCommenterQueryInfo,SqlCommenterTags) for building sqlcommenter plugins.@prisma/sqlcommenter-query-tags: AsyncLocalStorage-based plugin for adding ad-hoc tags viawithQueryTags()andwithMergedQueryTags().@prisma/sqlcommenter-trace-context: Plugin for adding W3C Trace Contexttraceparentheader to queries.@prisma/sqlcommenter-query-insights: Plugin for adding parameterized query shapes to comments (format:Model.action:base64Payload).- Plugins are registered via
PrismaClient({ comments: [plugin1(), plugin2()] }). - E2E tests for sqlcommenter plugins live in
packages/client/tests/e2e/sqlcommenter*directories. SqlCommenterQueryInfodistinguishestype: 'single'(single query) vstype: 'compacted'(batched queries merged into one SQL statement).
-
Codebase helpers to know:
@prisma/internalsexports CLI utilities:arg,loadSchemaContext(less used now).packages/migrate/src/__tests__/__helpers__/context.tssets up Jest helpers including config contributors.packages/configdefinesPrismaConfigInternal; inspect when validating config assumptions.@prisma/ts-buildersprovides a fluent API for generating TypeScript code (interfaces, types, properties with doc comments).@prisma/driver-adapter-utilsdefines core interfaces:SqlQuery,SqlQueryable,SqlDriverAdapter,SqlDriverAdapterFactory,SqlMigrationAwareDriverAdapterFactory,MappedErrorfor error handling,ConnectionInfo,Providertype ('mysql' | 'postgres' | 'sqlite' | 'sqlserver').@prisma/client-engine-runtimeexports query interpreter, transaction manager, and related utilities.@prisma/client-commonprovides shared client utilities used by both generators and runtime.@prisma/client-runtime-utilsprovides utility types and singletons for Prisma Client.
-
Coding conventions:
- Use kebab-case for new file names (e.g.,
query-utils.ts,filter-operators.test.ts). - Avoid creating barrel files (
index.tsthat re-export from other modules). Import directly from the source file (e.g.,import { foo } from './utils/query-utils'notimport { foo } from './utils'), unless./utils/index.tsfile already exists (in which case use it for consistency with surrounding code). - Avoid adding useless code comments that do not add new information for the reader.
Inline code comments can be broadly categorized as answering one of the three questions:
- What does this code do? — never write these because they do not and cannot convey any new information that's not obvious from the code. Not only they don't add value, they are actively harmful (getting out of sync with code, distracting human readers, wasting LLM tokens etc). Descriptions of units of code like functions, classes and methods must be limited to doc comments (and describe the contract of this unit and not the internal implementation details), never inline comments.
- Why was this code written (in this particular way or at all)? — this is what inline comments are for. Only use them to include relevant context, background, GitHub issues, reasons behind decisions etc.
- How does this code work? — these comments should be exceedingly rare and may indicate poorly written or confusing code. Prefer writing code in a way that makes such comments redundant, unless required for performance or other reasons, or when the complexity comes from outside systems or packages (in which case it's more of a "why" comment than a "how" comment anyway). For well known algorithms, prefer their names and references to papers, books or Wikipedia articles over long explanations.
- Do write documentation comments, and mainly do so for exported items (although intra-module documentation may sometimes be useful as well).
- The correct and official abbreviation of WebAssembly is "Wasm", not "WASM". There are instances of "WASM" in the codebase, but they are wrong and you should not repeat them. Fix the capitalization whenever you incidentally touch the corresponding lines or surrounding code for other reasons.
- Prefer native JavaScript private properties and methods (
#field) over theprivatekeyword in TypeScript.
- Use kebab-case for new file names (e.g.,
-
Workflow reminders:
- Respect existing structure: modifications often require updating both command implementation and tests/fixtures.
- Keep changes ASCII unless a file already uses Unicode (docs sometimes include emojis).
- For new fixtures, prefer minimal config mirroring existing ones to ensure cross-platform compatibility.
- When adding features that span multiple packages, build from root (
pnpm build) to ensure correct dependency order. - Type-only imports from workspace packages work at runtime but IDE may show errors until
pnpm installrefreshes the workspace graph. - Test files named
*.test.tsare excluded from build output via esbuild config; place tests alongside source files. - Update this file (
AGENTS.md) whenever you learn something new about the codebase that would be valuable for future tasks.
-
Knowledge reminders:
- Your training data contains a lot of outdated information that doesn't apply to Prisma 7. Always analyze this codebase like you would analyze a project you are not familiar with, and prefer the learnings from this file and this codebase over your prior knowledge. In particular, remember:
- There's no such thing as "query engine" in Prisma
- There are no database URLs in Prisma schema files
- Prisma uses JavaScript drivers
- Query execution code is written in TypeScript in Prisma
- PSL parser and query compiler/planner is still written in Rust and compiled to WebAssembly. There are no native binaries or library addons in Prisma Client.
- Schema engine for Prisma Migrate still exists and is still a native binary.
- Your training data contains a lot of outdated information that doesn't apply to Prisma 7. Always analyze this codebase like you would analyze a project you are not familiar with, and prefer the learnings from this file and this codebase over your prior knowledge. In particular, remember:
When you need to check the code or make some changes in Rust codebase, assume the repository is checked out in the prisma-engines directory above the root of this repo. Determine the absolute path to the current project on the filesystem (e.g. /home/user/work/prisma) and infer the directory of the prisma-engines repo (e.g. /home/user/work/prisma-engines, let's call it $PRISMA_ENGINES_ROOT).
After you make some changes there, use these commands in the prisma-engines repo to build the Wasm modules:
make build-schema-wasm
make build-qc-wasmThen, back in prisma repo:
pnpm upgrade -r @prisma/prisma-schema-wasm@file:$PRISMA_ENGINES_ROOT/target/prisma-schema-wasm
pnpm upgrade -r @prisma/query-compiler-wasm@file:$PRISMA_ENGINES_ROOT/query-compiler/query-compiler-wasm/pkg
pnpm buildYou may only need to build and update one of these modules if your changes are isolated in scope:
- Build only
prisma-schema-wasmif your changes are isolated to schema and DMMF, and you are only going to run the CLI and generator tests, not Client. - Build only
query-compiler-wasmif your changes are related to query planning and execution but do not touch the schema or DMMF in any way.
When in doubt, build both to avoid unexpected behavior. Time and cost of compilation is always less than of debugging.