Unit testing aims to isolate a small portion (unit) of code and test it for logically predictable behaviors. It generally involves mocking objects or server responses to simulate real world behaviors. Some benefits to unit testing include:
- Quickly find and isolate bugs in code.
- Provides documentation for each module of code by way of indicating what certain code blocks should be doing.
- A helpful gauge that a refactor has gone well. The tests should still pass after code has been refactored.
In the context of Prisma, this generally means testing a function which makes database calls using Prisma Client.
A single test should focus on how your function logic handles different inputs (such as a null value or an empty list).
This means that you should aim to remove as many dependencies as possible, such as external services and databases, to keep the tests and their environments as lightweight as possible.
Note: This blog post provides a comprehensive guide to implementing unit testing in your Express project with Prisma. If you're looking to delve into this topic, be sure to give it a read!
Prerequisites
This guide assumes you have the JavaScript testing library Jest
and ts-jest
already setup in your project.
Mocking Prisma Client
To ensure your unit tests are isolated from external factors you can mock Prisma Client, this means you get the benefits of being able to use your schema (type-safety), without having to make actual calls to your database when your tests are run.
This guide will cover two approaches to mocking Prisma Client, a singleton instance and dependency injection. Both have their merits depending on your use cases. To help with mocking Prisma Client the jest-mock-extended
package will be used.
$npm install jest-mock-extended@2.0.4 --save-dev
At the time of writing, this guide uses jest-mock-extended
version ^2.0.4
.
Singleton
The following steps guide you through mocking Prisma Client using a singleton pattern.
Create a file at your projects root called
client.ts
and add the following code. This will instantiate a Prisma Client instance.client.ts1import { PrismaClient } from '@prisma/client'23const prisma = new PrismaClient()4export default prismaNext create a file named
singleton.ts
at your projects root and add the following:singleton.ts1import { PrismaClient } from '@prisma/client'2import { mockDeep, mockReset, DeepMockProxy } from 'jest-mock-extended'34import prisma from './client'56jest.mock('./client', () => ({7 __esModule: true,8 default: mockDeep<PrismaClient>(),9}))1011beforeEach(() => {12 mockReset(prismaMock)13})1415export const prismaMock = prisma as unknown as DeepMockProxy<PrismaClient>
The singleton file tells Jest to mock a default export (the Prisma Client instance in ./client.ts
), and uses the mockDeep
method from jest-mock-extended
to enable access to the objects and methods available on Prisma Client. It then resets the mocked instance before each test is run.
Next, add the setupFilesAfterEnv
property to your jest.config.js
file with the path to your singleton.ts
file.
jest.config.js
1module.exports = {2 clearMocks: true,3 preset: 'ts-jest',4 testEnvironment: 'node',+ setupFilesAfterEnv: ['<rootDir>/singleton.ts'],6}
Dependency injection
Another popular pattern that can be used is dependency injection.
Create a
context.ts
file and add the following:context.ts1import { PrismaClient } from '@prisma/client'2import { mockDeep, DeepMockProxy } from 'jest-mock-extended'34export type Context = {5 prisma: PrismaClient6}78export type MockContext = {9 prisma: DeepMockProxy<PrismaClient>10}1112export const createMockContext = (): MockContext => {13 return {14 prisma: mockDeep<PrismaClient>(),15 }16}
If you find that you're seeing a circular dependency error highlighted through mocking Prisma Client, try adding "strictNullChecks": true
to your tsconfig.json
.
To use the context, you would do the following in your test file:
import { MockContext, Context, createMockContext } from '../context'let mockCtx: MockContextlet ctx: ContextbeforeEach(() => {mockCtx = createMockContext()ctx = mockCtx as unknown as Context})
This will create a new context before each test is run via the createMockContext
function. This (mockCtx
) context will be used to make a mock call to Prisma and run a query to test. The ctx
context will be used to run a scenario query that is tested against.
Example unit tests
A real world use case for unit testing Prisma might be a signup form. Your user fills in a form which calls a function, which in turn uses Prisma to make a call to your database.
All of the examples that follow use the following schema model:
schema.prisma
1model User {2 id Int @id @default(autoincrement())3 email String @unique4 name String?5 acceptTermsAndConditions Boolean6}
The following unit tests will mock the process of
- Creating a new user
- Updating a users name
- Failing to create a user if terms are not accepted
The functions that use the dependency injection pattern will have the context injected (passed in as a parameter) into them, whereas the functions that use the singleton pattern will use the singleton instance of Prisma Client.
import { Context } from './context'interface CreateUser {name: stringemail: stringacceptTermsAndConditions: boolean}export async function createUser(user: CreateUser, ctx: Context) {if (user.acceptTermsAndConditions) {return await ctx.prisma.user.create({data: user,})} else {return new Error('User must accept terms!')}}interface UpdateUser {id: numbername: stringemail: string}export async function updateUsername(user: UpdateUser, ctx: Context) {return await ctx.prisma.user.update({where: { id: user.id },data: user,})}
The tests for each methodology are fairly similar, the difference is how the mocked Prisma Client is used.
The dependency injection example passes the context through to the function that is being tested as well as using it to call the mock implementation.
The singleton example uses the singleton client instance to call the mock implementation.
import { createUser, updateUsername } from '../functions-without-context'import { prismaMock } from '../singleton'test('should create new user ', async () => {const user = {id: 1,name: 'Rich',email: 'hello@prisma.io',acceptTermsAndConditions: true,}prismaMock.user.create.mockResolvedValue(user)await expect(createUser(user)).resolves.toEqual({id: 1,name: 'Rich',email: 'hello@prisma.io',acceptTermsAndConditions: true,})})test('should update a users name ', async () => {const user = {id: 1,name: 'Rich Haines',email: 'hello@prisma.io',acceptTermsAndConditions: true,}prismaMock.user.update.mockResolvedValue(user)await expect(updateUsername(user)).resolves.toEqual({id: 1,name: 'Rich Haines',email: 'hello@prisma.io',acceptTermsAndConditions: true,})})test('should fail if user does not accept terms', async () => {const user = {id: 1,name: 'Rich Haines',email: 'hello@prisma.io',acceptTermsAndConditions: false,}prismaMock.user.create.mockImplementation()await expect(createUser(user)).resolves.toEqual(new Error('User must accept terms!'))})