Как покрыть единичный тест Жасмин для Rx JS предмета в angular - PullRequest
0 голосов
/ 27 января 2020

Я очень новый Жасмин. Мой сценарий может быть простым, но я не уверен, как покрыть контрольный пример для ngInit для класса ниже. Может ли кто-нибудь помочь мне,

export class Component1 implements OnInit {
    details$: Observable<any>; 
    name: string; 
    error: string 

    constructor(private service1: Service1, private service2: Service2) { }

    ngOnInit() {
       this.service1.service1Subject.subscribe( info => {
            if(info['url']){
                this.details$ = this.service2.get(info['url'])
                this.details$.subscribe(
                 (info) => { this.name = info['name']}; 
                 (error) => { this.erro = error['error']}; 
                ); 
            }  
       }); 
    }
}

Контрольный пример:

describe('Component1', () => {
  let component: Component1;
  let fixture: ComponentFixture<Component1>;

  beforeEach(async(() => {
   TestBed.configureTestingModule({
     declarations: [Component1],
     imports: [
       HttpClientTestingModule, CommonModule
     ],
     providers: [Service1, Service2]
   })
     .compileComponents();
   }));

   beforeEach(() => {
    fixture = TestBed.createComponent(Component1);
    component = fixture.componentInstance;
    fixture.detectChanges();
  });

  it('should call Get Data', () => {
      const service2: Service2 = TestBed.get(Service2);
      const spy = jest.spyOn(service2, 'get').mockImplementation(() => {
          return {
             info :  [...],
              name : ''  
          }
      });
      component.ngOnInit();
      expect(spy).toHaveBeenCalled();
  });
});

Проблема здесь в том, что я не уверен, как издеваться над объектом service1, Rx JS. Пожалуйста, кто-нибудь, помогите мне.

1 Ответ

1 голос
/ 27 января 2020

Я вижу, что вы используете Jest, но вот как я настроил тесты компонентов, которые используют сервис, который предоставляет Subject.

  1. Создание макетов для всех ваших сервисов
  2. Предоставьте их в своем тестовом модуле
  3. Макетные реализации для управления потоком данных
  4. Выполните свои утверждения

    describe('Component1', () => { 
        let component: Component1;
        let fixture: ComponentFixture<Component1>;
    
        //create mock service objects
        let service1Mock = jasmine.createSpyObj('service1', ['toString']);
        let service2Mock = jasmine.createSpyObj('service2', ['get']);
    
        beforeEach(async(() => {
            TestBed.configureTestingModule({
                declarations: [Component1],
                imports: [
                    HttpClientTestingModule,
                    CommonModule
                ],
                providers: [
                    //Set up the dependency injector, but use the mocks as the implementation
                    { provide: Service1, useValue: service1Mock },
                    { provide: Service2, useValue: service2Mock }
                ]
            }).compileComponents();
        }));
    
        beforeEach(() => {
            //add an observable to your service
            //this will also help reset the observable between each test
            service1Mock.service1Subject = new Subject<any>(); 
        });
    
        beforeEach(() => {
            fixture = TestBed.createComponent(Component1);
            component = fixture.componentInstance;
            fixture.detectChanges();
        });
    
        it('should get the data', () => {
            //configure the mock implementation of "service2.get" to successfully return data
            //You can alternatively use "throw({error: 'some_error'})" to test your "error" case
            service2Mock.get.and.returnValue(of({name: 'some_name'}));
    
            //tell the mock to emit some data!
            service1Mock.service1Subject.next( {url: 'some_url'} );
    
            //Your component subcriptions should handle the event, perform whatever test needs to do
        });
    });
    

Я знаю, что Жасмин планировала сделать возможным создание шпионских объектов с атрибутами , но я на самом деле не использовал его сам.

Кроме того, если вы не используете details$ в своем шаблоне, вы можете полностью исключить переменную.

ngOnInit(){
    this.service1.service1Subject.subscribe( info => {
        if(info['url']){
            this.service2.get(info['url']).subscribe(
                (info) => { this.name = info['name']}; 
                (error) => { this.error = error['error']}; 
            ); 
        }  
    });
}
...