如何使用 Injector 在函数中模拟注入服务

Dan*_*eve 3 unit-testing jasmine karma-runner angular

在 Angular 7.x 中,我有一个全局错误处理,可以使用注入器注入他的服务。因此每个函数都有一个对注入器的引用,如下所示:

import { ErrorHandler, Injectable, Injector, NgZone } from '@angular/core';
import { Router } from '@angular/router';
import { LoggingService } from '../logging/logging.service';
import { EnvironmentService } from '../services/environment.service';

@Injectable()
export class GlobalErrorHandler implements ErrorHandler {
  constructor(private readonly injector: Injector, private readonly zone: NgZone) {}

  handleError(error: any): void {
    // Handle Client Error (Angular Error, ReferenceError...)
    this.processError(error);

    throw error;
  }

  processError(error: any): void {
    const environmentService = this.injector.get(EnvironmentService);
    const environment = environmentService.getEnvironment();
    if (!environment.production) {
      console.error(error);
    } else {
      // Log the expection to the logger
      this.logException(error);

      this.zone.run(() => {
        this.navigateToErrorPage(error);
      });
    }
  }

  private logException(error: any): void {
    const loggingService = this.injector.get(LoggingService);
    loggingService.logException(error);
  }

  private navigateToErrorPage(error: any): void {
    const router = this.injector.get(Router);
    router.navigate(['/500'], { queryParams: { error } });
  }
}
Run Code Online (Sandbox Code Playgroud)

如您所见,在processError函数中我注入了环境服务。该服务的唯一目标是能够在我的规范测试中模拟环境。我在另一个服务测试中执行此操作,但我将其与依赖项注入一起使用,而不是与该this.injector.get(...)函数一起使用。

有谁知道我是如何嘲笑这个的?

it('should log the error if the environment is in production', () => {
  // Arrange
  const environmentSpy = jasmine.createSpyObj('EnvironmentService', 'getEnvironment'); ??? How do I mock this ???

  const error: Error = new Error('New Error');
  spyOn<any>(errorHandler, 'logException');
  // Act
  errorHandler.processError(error);

  // Assert
  expect(errorHandler['logException']).toHaveBeenCalledWith(error);
});
Run Code Online (Sandbox Code Playgroud)

cod*_*iet 5

您可以监视 Injector 并返回一个假类来代替具有自定义getEnvironment()方法的 EnvironmentService:

spyOn(TestBed.get(Injector), 'get').and.callFake((token) => {
    if (token === EnvironmentService) {
        // Return a mocked EnvironmentService class
        return {
            getEnvironment: () => { return { production: true }; }
        };
    } else {
        // Otherwise, return whatever was originally defined in the TestBed
        return TestBed.get(token);
    }
});
Run Code Online (Sandbox Code Playgroud)

或者,您可以使用真正的注入器并监视环境服务:

spyOn(TestBed.get(EnvironmentService), 'getEnvironment').and
    .returnValue({ production: true });
Run Code Online (Sandbox Code Playgroud)