如何测试与另一个模块服务有关联的控制器? Nest.js

时间:2019-12-16 08:55:09

标签: testing controller jestjs tdd nestjs

我应该如何测试具有身份验证服务和用户服务的控制器? 我正在尝试从书本中遵循TDD方法,但是它不再像以前那样工作了。

有解决方案吗?

这是我要测试的控制器: auth.controller.ts

import { Controller, Post } from '@nestjs/common';
import { AuthService } from './auth.service';
import { UserService } from '../user/user.service';

@Controller('auth')
export class AuthController {
  constructor(
    private readonly authService: AuthService,
    private readonly userService: UserService,
  ) {}
  @Post()
  async signup() {
    throw new Error('Not Implemented!');
  }

  @Post()
  async signin() {
    throw new Error('Not Implemented Error!');
  }
}

这是一项服务,身份验证控制器将使用它来处理操作: auth.service.ts

import { Injectable } from '@nestjs/common';

@Injectable()
export class AuthService {}

这是我需要使用的外部服务,以查找和验证用户 user.service.ts

import { Injectable } from '@nestjs/common';

@Injectable()
export class UserService {}

我在这里尝试对身份验证控制器进行一些TDD测试: auth.controller.spec.ts

import { Test } from '@nestjs/testing';
import { AuthController } from './auth.controller';
import { AuthService } from './auth.service';
import { UserService } from '../user/user.service';

describe('EntriesController', () => {
  let authController: AuthController;
  let authSrv: AuthService;

  beforeEach(async () => {
    const module = await Test.createTestingModule({
      controllers: [AuthController],
      providers: [AuthService, UserService],
    })
      .overrideProvider(AuthService)
      .useValue({ signup: () => null, signin: () => null })
      .compile();

    authController = await module.get<AuthController>(AuthController);
    authSrv = await module.get<AuthService>(AuthService);
  });

  describe('signup', () => {
    it('should add new user to the database', async () => {
      expect(await authController.signin()).toBe(true);
      console.log(authController);
    });
  });

  describe('signin', () => {
    it('should sign in user, if credentials valid', async () => {});
  });
});

1 个答案:

答案 0 :(得分:1)

代替使用overrideProvider,您应该使用以下类似的方法直接在provider数组中设置模拟:

beforeEach(async () => {
  const module = await Test.createTestingModule({
    controllers: [AuthController],
    providers: [
      {
        provide: AuthService,
        useValue: { signup: () => null, signin: () => null }
      },
      UserService
    ],
  })
  .compile();

  authController = await module.get<AuthController>(AuthController);
  authSrv = await module.get<AuthService>(AuthService);
});

UserService应当执行相同的操作,这样您就可以创建真正的单元测试,只测试直接的类,而忽略其余的类。 This repository of mine针对使用NestJS的项目展示了许多不同的测试示例。可能对您有所帮助。