Как проверить предмет с жасминовыми шариками
Угловой 6, Rxjs, Jest, Jasmine-мрамор.
очень распространенный сценарий: компонент, который ищет элементы на стороне сервера. В компоненте есть некоторые элементы управления, которые могут изменять критерии поиска, и я хотел бы написать код в "реактивном стиле". Итак, в коде компонента у меня есть что-то вроде этого:
class SearchComponent implements OnInit {
public searchData: SearchData = {};
public searchConditions$ = new Subject<SearchData>();
constructor(private searchService: SearchService) { }
public results$: Observable<ResultData> = this.searchConditions$.pipe(
distinctUntilChanged(this.compareProperties), // omissis but it works
flatMap(searchData => this.searchService.search(searchData)),
shareReplay(1)
);
// search actions
ngOnInit() {
this.searchConditions$.next(this.searchData);
}
public onChangeProp1(prop1: string) {
this.searchData = { ...this.searchData, prop1 };
this.searchConditions$.next(this.searchData);
}
public onChangeProp2(prop2: string) {
this.searchData = { ...this.searchData, prop2 };
this.searchConditions$.next(this.searchData);
}
}
Это Subject
это вызывает условия поиска каждый раз, когда что-то в пользовательском интерфейсе изменилось.
Теперь я хотел бы проверить, что служба поиска будет вызываться только для внятного ввода. Я могу сделать это "без мрамора" следующим образом:
test('when searchConditions$ come with equal events search service will not be called more than once', (done: any) => {
service.search = jest.fn(() => of(TestData.results));
component.results$.subscribe({
complete: () => {
expect(service.Search).toHaveBeenCalledTimes(1);
done();
}
});
component.searchConditions$.next(TestData.searchCriteria);
component.searchConditions$.next(TestData.searchCriteria);
component.searchConditions$.next(TestData.searchCriteria);
component.searchConditions$.complete();
});
Теперь я хотел бы преобразовать этот тест, используя шарики жасмина, но я не знаю, как...
Я хотел бы что-то вроде этого:
test('when searchConditions$ come with equal events search service will not be called more than once', (done: any) => {
service.search = jest.fn(() => of(TestData.results));
component.searchConditions$ = cold('--a--a|', { a : TestData.searchCriteria});
const expected = cold('--b---|', { b : TestData.results});
expect(component.results$).toBeObservable(expected);
});
Очевидно, это не работает...
Обновить
как-то близко... используя "тест помощник"
test('when searchConditions$ comes with equal events search service will not be called more than once - marble version', () => {
service.search = jest.fn(() => of(TestData.results));
const stream = cold('--a--a|', { a : TestData.searchCriteria});
const expected = cold('--b---|', { b : TestData.results});
stubSubject(component.searchConditions$, stream);
expect(component.results$).toBeObservable(expected);
});
// test helpers
const stubSubject = (subject: Subject<any> , marbles: TestObservable) => {
marbles.subscribe({
next: (value: any) => subject.next(value),
complete: () => subject.complete(),
error: (e) => subject.error(e)
});
};
0 ответов
Основная цель тестов - имитировать зависимости и ничего не менять внутри модуля тестирования SearchComponent.
Следовательно stubSubject(component.searchConditions$, stream)
или component.searchConditions$ = cold
это плохая практика.
Потому что мы хотим запланировать выбросы в searchConditions$
нам нужен внутренний запланированный поток, и мы можем использовать cold
или hot
здесь тоже.
исходные данные (извините, я угадал некоторые типы)
type SearchData = {
prop?: string;
};
type ResultData = Array<string>;
@Injectable()
class SearchService {
public search(term: SearchData): Observable<any> {
return of();
}
}
@Component({
selector: 'search',
template: '',
})
class SearchComponent implements OnInit {
public searchData: SearchData = {};
public searchConditions$ = new Subject<SearchData>();
constructor(private searchService: SearchService) { }
public results$: Observable<ResultData> = this.searchConditions$.pipe(
distinctUntilKeyChanged('prop'),
tap(console.log),
flatMap(searchData => this.searchService.search(searchData)),
shareReplay(1),
);
// search actions
ngOnInit() {
this.searchConditions$.next(this.searchData);
}
public onChangeProp1(prop1: string) {
this.searchData = { ...this.searchData, prop: prop1 }; // I've changed it to prop
this.searchConditions$.next(this.searchData);
}
public onChangeProp2(prop2: string) {
this.searchData = { ...this.searchData, prop: prop2 }; // I've changed it to prop
this.searchConditions$.next(this.searchData);
}
}
и его тест
test('when searchConditions$ come with equal events search service will not be called more than once', () => {
service.search = jest.fn(() => of(TestData.results));
// our internal scheduler how we click our component.
// the first delay `-` is important to allow `expect` to subscribe.
cold('-a--a--b--b--a-|', {
a: 'a',
b: 'b',
}).pipe(
tap(v => component.searchConditions$.next({prop: v})),
// or like user does it
// tap(v => component.onChangeProp1(v)),
finalize(() => component.searchConditions$.complete()),
).subscribe();
// adding our expectations.
expect(component.results$).toBeObservable(cold('-r-----r-----r-|', {
r: TestData.results,
}));
});
Теперь мы не меняем нашу единицу тестирования, а только ее зависимости (service.search
).