角度6单元测试rxjs 6操作员敲击单元测试拦截器

时间:2018-05-28 10:15:28

标签: rxjs operators interceptor angular6 rxjs6

由于我将代码更新为新的Rxjs 6,我不得不像这样更改拦截器代码:

auth.interceptor.ts:

...
return next.handle(req).pipe(
      tap((event: HttpEvent<any>) => {
        if (event instanceof HttpResponse) {
          // do stuff with response if you want
        }
      }),
      catchError((error: any) => {
        if (error instanceof HttpErrorResponse) {
          if (error.status === 401) {
            this.authService.loginRedirect();
          }
          return observableThrowError(this.handleError(error));
        }
      })
    );

我无法测试rxjs运营商&#34;点击&#34;和&#34; catchError&#34;。

实际上我只能测试是否调用了管道:

it('should intercept and handle request', () => {
    const req: any = {
      clone: jasmine.createSpy('clone')
    };

    const next: any = {
      handle: () => next,
      pipe: () => next
    };

    spyOn(next, 'handle').and.callThrough();
    spyOn(next, 'pipe').and.callThrough();

    interceptor.intercept(req, next);

    expect(next.handle).toHaveBeenCalled();
    expect(next.pipe).toHaveBeenCalled();
    expect(req.clone).toHaveBeenCalled();
  });

任何有关如何监视rxjs运算符的帮助

1 个答案:

答案 0 :(得分:0)

我认为问题在于你不应该首先测试运算符是这样调用的。

RxJS 5和RxJS 6中的运算符只是“制作配方”链的构造方式。这意味着检查是否调用了tapcatchError并没有告诉您任何关于它的功能或链条是否正常工作(它可能会对任何值引发异常,您将无法测试它。)

由于您使用的是RxJS 6,因此您应该通过发送值来测试链。这有很好的记录,很容易做https://github.com/ReactiveX/rxjs/blob/master/doc/marble-testing.md

在你的情况下,你可以这样做:

const testScheduler = new TestScheduler((actual, expected) => {
  // some how assert the two objects are equal
  // e.g. with chai `expect(actual).deep.equal(expected)`
});

// This test will actually run *synchronously*
testScheduler.run(({ cold }) => {
  const next = {
    handle: () => cold('-a-b-c--------|'),
  };
  const output = interceptor.intercept(null, next);

  const expected = '   ----------c---|'; // or whatever your interceptor does
  expectObservable(output).toBe(expected);
});

我想你会明白这一点......