Как шпионить за функцией, вызываемой внутри объекта класса - PullRequest
0 голосов
/ 06 мая 2020

Я хочу проверить, вызывается ли this.service.someMethod с помощью jasmine spy.

Исходный файл:

// src.ts
import { Service } from 'some-package';

export class Component {
   service = new Service();

   callMethod() {
      this.service.thatMethod();
   }
}

Spe c файл:

// src.spec.ts
import { Component } from './src';

describe('test', () => {
   it('calls thatMethod of service', () => {
      let comp = new Component();

      spyOn(comp.service, 'thatMethod').and.callThrough();

      comp.callMethod();

      expect(comp.service.thatMethod).toHaveBeenCalled();
   });
});

Вывод:

Неудачный тест: ожидалось, что был вызван comp.service.thatMethod.

1 Ответ

1 голос
/ 06 мая 2020

Я бы посоветовал вам провести рефакторинг вашего кода и воспользоваться шаблоном Io C (инверсия управления). Это означает, что вам нужно избавиться от зависимости Service в вашем Component классе и ввести ее вручную, например:

export class Component {
   constructor(service) {
       this.service = service;
   }

   callMethod() {
     this.service.thatMethod();
   }
}

// Elsewhere in your code
import { Service } from 'some-package';
const component = new Component(new Service());

Этот подход позволит вам эффективно протестировать ваши компоненты с помощью Service макет:

import { Component } from './src';

describe('test', () => {
    it('calls thatMethod of service', () => {
        const service = jasmine.createSpyObj('service', ['thatMethod']);
        let comp = new Component(service);

        comp.callMethod();
        expect(service.thatMethod).toHaveBeenCalled();
   });
});
...