티스토리 뷰
Next.js
NextJS 14 API Endpoint Test (feat.node-mocks-http, Jest)
YG - 96년생 , 강아지 있음, 개발자 희망 2023. 12. 6. 07:29
NextJS 14 api route handler를 만들고 endpoint test를 한 과정을 기록했습니다.
0. 테스트 패키지 선정
먼저 NextJS를 테스트하기 위해 사용되는 패키지를 찾아보았습니다.
처음에 supertest가 제일 유명하고, gpt에게도 추천받아서 설치했습니다.
그래서 supertest를 설치하고 테스트를 해보았지만 NextJS에서 동작하지 않았습니다.
/**
* @jest-environment node
*/
import supertest from 'supertest';
import { GET } from '@app/health-check/route';
describe('서버의 상태를 확인한다.', () => {
it('health-check api를 호출한다.', async () => {
const response = await supertest(GET).get('/health-check');
expect(response.body).toBe('health-check');
expect(response.status).toBe(200);
});
});
그래서 NextJS api endpoint test를 검색 후 나온 방법인 node-mocks-http를 사용하기로 했습니다.
다운로드 순위는 2위입니다.
1. 패키지 설치하기
npm install --save-dev node-mocks-http
2. NextJS route handler 만들기 (App Router 버전)
app/health-check/route.ts
간단히 문자를 반환하는 api를 만들었습니다.
import { NextRequest, NextResponse } from 'next/server';
export async function GET(request: NextRequest) {
return NextResponse.json('health-check', { status: 200, statusText: 'OK' });
}
interface HealthRequest {
name: string;
}
export async function POST(request: NextRequest) {
const { name }: HealthRequest = await request.json();
return NextResponse.json(name, { status: 201, statusText: 'CREATED' });
}
3. 테스트 파일 만들기
__tests__/api/healthCheck.test.ts
1. 만든 api 함수를 가져옵니다.
2. createRequest 메서드로 req와 res를 선언합니다.
3. api 함수 안에 req, res를 넣어 사용합니다.
/**
* @jest-environment node
*/
import { NextRequest, NextResponse } from 'next/server';
import { createMocks, createRequest, createResponse } from 'node-mocks-http';
import { GET, POST } from '@app/health-check/route';
type ApiRequest = NextRequest & ReturnType<typeof createRequest>;
type APiResponse = NextResponse & ReturnType<typeof createResponse>;
describe('서버의 상태를 확인한다.', () => {
it('health-check api를 호출한다.', async () => {
const { req } = createMocks<ApiRequest, APiResponse>({
method: 'GET',
headers: {
'Content-Type': 'application/json',
},
});
const response = await GET(req);
expect(await response.json()).toBe('health-check');
expect(response.status).toBe(200);
expect(response.statusText).toBe('OK');
});
it('health-check api POST를 호출한다.', async () => {
const { req } = createMocks<ApiRequest, APiResponse>({
method: 'POST',
json: () => ({
name: 'Add your name in the body',
}),
});
const response = await POST(req);
expect(await response.json()).toBe('Add your name in the body');
expect(response.status).toBe(201);
expect(response.statusText).toBe('CREATED');
});
});
주의할 점
api endpoint test를 하기 위해서는 jest.config.js에서 testEnvironment가 node여야 하는데요 만약 jsdom으로 설정이 되어 있다면 에러를 반환합니다.
ReferenceError: Response is not defined
jest.config.js
const nextJest = require('next/jest');
const createJestConfig = nextJest({
dir: './',
});
const customJestConfig = {
setupFilesAfterEnv: ['<rootDir>/jest.setup.js', '<rootDir>/__tests__/singleton.ts'],
moduleNameMapper: {
...
},
testEnvironment: 'jest-environment-jsdom', // << 이 부분
};
module.exports = createJestConfig(customJestConfig);
저는 react 관련 테스트를 할 때는 jsdom 환경, api 테스트를 할 땐 node 환경을 적용해주려고 했는데요.
jest에서 projects라는 것으로 설정할 수 있다고 해서 시도해 보았지만 저는 성공하지 못했습니다.
예시)
module.exports = {
projects: [
{
displayName: 'dom',
testEnvironment: 'jsdom',
snapshotSerializers: ['enzyme-to-json/serializer'],
testMatch: ['**/__tests__/**/*.test.js?(x)']
},
{
displayName: 'node',
testEnvironment: 'node',
testMatch: [
'**/__tests__/**/*.test.node.js?(x)',
]
},
],
};
그래서 대안으로 주석으로 테스트 환경을 설정해 주는 방법을 택했습니다.
/**
* @jest-environment node
*/
createMock으로 했을 때 타입 에러가 나는데 아래와 같이 설정해줘야 했습니다
/**
* @jest-environment node
*/
import { NextRequest, NextResponse } from 'next/server';
import { createMocks, createRequest, createResponse } from 'node-mocks-http';
import { GET, POST } from '@app/health-check/route';
type ApiRequest = NextRequest & ReturnType<typeof createRequest>;
type APiResponse = NextResponse & ReturnType<typeof createResponse>;
describe('서버의 상태를 확인한다.', () => {
it('health-check api를 호출한다.', async () => {
const { req } = createMocks<ApiRequest, APiResponse>({
method: 'GET',
headers: {
'Content-Type': 'application/json',
},
});
참고자료
'Next.js' 카테고리의 다른 글
NextJS 14 NextApiRequest vs NextRequest (feat.request.json 타입 지정하기) (3) | 2023.12.07 |
---|---|
Next.js Google Analytics 구글 애널리틱스 설정하기 (0) | 2023.01.06 |
Next.js .env에서 사용한 변수가 undefined 일 때 해결 방법 [에러] (0) | 2023.01.05 |
Next.js 구글 애드센스 google adsense 설정하기 (2) | 2023.01.05 |
댓글
공지사항
최근에 올라온 글
최근에 달린 댓글
- Total
- Today
- Yesterday
링크
TAG
- nextjs
- nodejs
- 북클럽
- TopLayer
- CLASS
- javascript
- 프론트앤드
- import/order
- 우아한테크코스
- 프리온보딩
- error
- C언어
- 위코드
- NextApiRequest
- 윤성우 열혈C프로그래밍
- 노마드코더
- NextRequest
- React
- env
- Storybook
- createPortal
- jest
- 원티드
- 초보
- 아차산
- 노개북
- WSL2
- electron
- 스토리 북
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | |||||
3 | 4 | 5 | 6 | 7 | 8 | 9 |
10 | 11 | 12 | 13 | 14 | 15 | 16 |
17 | 18 | 19 | 20 | 21 | 22 | 23 |
24 | 25 | 26 | 27 | 28 | 29 | 30 |
글 보관함