Unit testing
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.tsand add the following code. This will instantiate a Prisma Client instance.import { PrismaClient } from '@prisma/client'
const prisma = new PrismaClient()
export default prisma -
Next create a file named
singleton.tsat your projects root and add the following:import { PrismaClient } from '@prisma/client'
import { mockDeep, mockReset, DeepMockProxy } from 'jest-mock-extended'
import prisma from './client'
jest.mock('./client', () => ({
__esModule: true,
default: mockDeep<PrismaClient>(),
}))
beforeEach(() => {
mockReset(prismaMock)
})
export 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.
module.exports = {
clearMocks: true,
preset: 'ts-jest',
testEnvironment: 'node',
setupFilesAfterEnv: ['<rootDir>/singleton.ts'],
}
Dependency injection
Another popular pattern that can be used is dependency injection.
-
Create a
context.tsfile and add the following:import { PrismaClient } from '@prisma/client'
import { mockDeep, DeepMockProxy } from 'jest-mock-extended'
export type Context = {
prisma: PrismaClient
}
export type MockContext = {
prisma: DeepMockProxy<PrismaClient>
}
export const createMockContext = (): MockContext => {
return {
prisma: mockDeep<PrismaClient>(),
}
}
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: MockContext
let ctx: Context
beforeEach(() => {
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:
model User {
id Int @id @default(autoincrement())
email String @unique
name String?
acceptTermsAndConditions Boolean
}
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.
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.