使用 Jasmine 监视 Observable 订阅的结果

问题描述 投票:0回答:4

我是 Jasmine 单元测试一个使用 Observables 的角度组件。我的组件有我正在测试的生命周期钩子:

ngOnInit() {
  this.dataService.getCellOEE(this.cell).subscribe(value => this.updateChart(value));
}

我有一个测试可以确保 getCellOEE 已被调用,但现在我想检查当可观察值解析为新值时是否调用 updateChart。这是我到目前为止所拥有的:

let fakeCellService = {
  getCellOEE: function (value): Observable<Array<IOee>> {
    return Observable.of([{ time: moment(), val: 67 }, { time: moment(), val: 78 }]);
  }
};

describe('Oee24Component', () => {
  let component: Oee24Component;
  let service: CellService;
  let injector: Injector;
  let fixture: ComponentFixture<Oee24Component>;

  beforeEach(async(() => {
    TestBed.configureTestingModule({
      declarations: [Oee24Component],
      providers: [{ provide: CellService, useValue: fakeCellService }]
    })
      .compileComponents();
  }));

  beforeEach(() => {
    fixture = TestBed.createComponent(Oee24Component);
    component = fixture.componentInstance;
    injector = getTestBed();
    service = injector.get(CellService)
    fixture.detectChanges();
    spyOn(service, 'getCellOEE').and.returnValue({ subscribe: () => { } });
    spyOn(component, 'updateChart');
  });

  it('should get cell oee on init', () => {
    component.ngOnInit();
    expect(service.getCellOEE).toHaveBeenCalled();
  });

  it('should update chart on new data', () => {
    component.ngOnInit();
    expect(component.updateChart).toHaveBeenCalled();
  });
});

但是,我收到错误:

chrome 56.0.2924 (Windows 10 0.0.0) Oee24Component 应根据新数据更新图表失败

预计已调用间谍更新图表。

大概这是一个时间问题,因为在测试检查时可观察值不一定已解决?如果是这种情况,我该如何正确设置?

更新:

这是我的组件:

@Component({
  selector: 'app-oee24',
  templateUrl: './oee24.component.html',
  styleUrls: ['./oee24.component.css']
})
export class Oee24Component implements OnInit {
  public barChartData: any[] = [{ data: [], label: 'OEE' }];

  constructor(public dataService: CellService) { }

  ngOnInit() {
    this.dataService.getCellOEE(this.cell).subscribe(value => this.updateChart(value));
  }

  updateChart(data: Array<IOee>) {
    this.barChartData[0].data = data.map(val => val.val);
  }
}
 
unit-testing angular typescript jasmine karma-jasmine
4个回答
0
投票

你有没有想出解决办法?使用

jasmine-marbles
包和
complete
事件怎么样?

it('should update chart on new data', () => {
    const obs$ = cold('--a-|');
    spyOn(service, 'getCellOEE').and.returnValue(obs$);
    component.ngOnInit(); 
    obs$.subscribe({
        complete: () => {
            expect(component.updateChart).toHaveBeenCalledWith('a');
        }
    });
});

0
投票

不确定这是否是最好的方法,但我已经看到它在我正在从事的项目中发挥作用。该方法基本上是获取对提供给 subscribe 方法的回调函数的引用,并手动调用它来模拟观察者发出值:

it('should update chart on new data', () => {
    component.ngOnInit();

    // this is your mocked observable
    const obsObject = service.getCellOEE.calls.mostRecent().returnValue;

    // expect(obsObject.subscribe).toHaveBeenCalled() should pass

    // get the subscribe callback function you provided in your component code
    const subscribeCb = obsObject.subscribe.calls.mostRecent().args[0];

    // now manually call that callback, you can provide an argument here to mock the "value" returned by the service
    subscribeCb(); 

    expect(component.updateChart).toHaveBeenCalled();
  });

0
投票

而不是

spyOn(service, 'getCellOEE').and.returnValue({ subscribe: () => { } });

你可以试试

spyOn(service, 'getCellOEE').and.returnValue( {subscribe: (callback) => callback()});

0
投票

fixture.detectChanges
触发
ngOnInit
。因此,如果执行了
ngOnInit
,则无需手动调用
fixture.detectChanges

检查该方法是否被调用是一个不好的做法。相反,检查代码执行的预期结果更可靠。

行中不需要

spyOn(service, 'getCellOEE').and.returnValue({ subscribe: () => { } });

,因为
fakeCellService
已经正确模拟了该服务。

测试的代码是异步的,所以我们需要等待它被执行。

await fixture.whenStable();

 正是这样做的。

因此,测试结果:

const fakeData = [{ time: moment(), val: 67 }, { time: moment(), val: 78 }]; const expectedChartData = [67, 78]; const fakeCellService = { getCellOEE: function (value): Observable<Array<IOee>> { return Observable.of(fakeData); } }; describe('Oee24Component', () => { let component: Oee24Component; let service: CellService; let injector: Injector; let fixture: ComponentFixture<Oee24Component>; beforeEach(async(() => { TestBed.configureTestingModule({ declarations: [Oee24Component], providers: [{ provide: CellService, useValue: fakeCellService }] }) .compileComponents(); })); beforeEach(async () => { fixture = TestBed.createComponent(Oee24Component); component = fixture.componentInstance; fixture.detectChanges(); await fixture.whenStable(); }); it('maps and saves value from the CellService.getCellOEE to barChartData[0].data when initialized', () => { expect(component.barChartData[0].data).toEqual(expectedChartData); }); });
    
© www.soinside.com 2019 - 2024. All rights reserved.