@ ViewChild ('form') форма: NgForm;
будет недоступно в хуке жизненного цикла ngOnInit.
Сначала вам нужно создать форму, либо в конструкторе, либо в ngOnInit.
И только тогда вы можете выполнять методы в существующей форме.
Пример
export class MyComponent {
form: FormGroup;
editedItem;
constructor(
private formBuilder: FormBuilder
) {}
ngOnInit() {
this.createForm();
this.subscribeToShoppingList();
}
private createForm() {
this.form = this.formBuilder.group({
name: null,
amount: null
});
}
private subscribeToShoppingList() {
this.store.select('shoppingList').subscribe(data => {
this.editedItem = data.editedIngredient;
this.form.setValue({
name: this.editedItem.name,
amount: this.editedItem.amount
});
});
}
}
В этом случае вам не нужно проверять то, что возвращает вам Store, вам будет достаточно для юнит-тестирования что-то вроде:
const mocks = {
store: {
select: sinon.stub().withArgs('shoppingList').returns(new Subject())
}
};
let component: MyComponent;
describe('MyComponent', () => {
beforeEach(() => {
component = new MyComponent(
new FormBuilder(),
<any> mocks.store
);
});
describe('ngOnInit', () => {
beforeEach(() => {
component.ngOnInit();
});
it('should create form', () => {
expect(component.form).to.be.instanceof(FormGroup);
});
it('should create form with correct fields', () => {
expect(component.form.value).to.haveOwnProperty('name');
expect(component.form.value).to.haveOwnProperty('amount');
});
it('should subscribe to store.shoppingList', () => {
expect(component.store.select).to.be.calledOnce.and.calledWith('shoppingList');
});
it('should set correct data from store to component', () => {
component.store.select.next({
editedIngredient: {
name: 'new',
amount: 100
}
});
expect(component.editedItem.amount.to.eql(100));
expect(component.form.value.name).to.eql('new');
});
});
});
Я не тестировал код, у него могут быть проблемы, но я надеюсь, что объяснил основную идею.