Форма не заполняется свойствами из компонента в модульном тестировании

#angular #jasmine #angular-material #karma-jasmine

#angular #jasmine #angular-материал #karma-jasmine

Вопрос:

У меня есть компонент с office объектом, который передается из контейнера. Свойства в этом объекте заполняют форму, которая работает должным образом в браузере, однако, если я назначу фиктивные данные этому объекту в моем модульном тестировании и проверю значение одного из входных данных, он, по-видимому, пуст. В моем тесте ниже первые два утверждения выполняются, но я получаю следующее сообщение об ошибке с третьим:

Ожидается, что «будет «Именем теста».

Я попытался добавить fakeAsync оболочку, а затем использовал tick() прямо перед тем, как сделал fixture.detectChanges() , но это тоже не сработало. Почему входные данные не заполняются данными из office , как это делается в браузере?

Вот версии некоторых из моих модулей узла:

  • angular 7.2.8
  • материал 7.3.3
  • карма 4.0.1
  • jasmine-ядро 3.3.0
  • karma-jasmine 2.0.1

component.ts:

 export class FormComponent {
  @Input() office: Office;
  @Input() officeLoading: boolean;

  ...
} 
  

component.html:

 <form *ngIf="!officeLoading" (ngSubmit)="saveForm(form)" #form="ngForm" novalidate>
  <mat-form-field>
    <input
      class="company-name"
      matInput 
      placeholder="Company Name" 
      type="text"
      name="companyName"
      required
      #companyName="ngModel"
      [ngModel]="office?.companyName">
    <mat-error *ngIf="companyName.errors?.required amp;amp; companyName.dirty">
      Company name is required
    </mat-error>
  </mat-form-field>
 ...
</form>
  

component.spec.ts

 describe('FormComponent', () => {
  let component: FormComponent;
  let fixture: ComponentFixture<FormComponent>;
  let el: DebugElement;

  beforeEach(async(() => {
    TestBed.configureTestingModule({
      imports: [
        BrowserAnimationsModule,
        FormsModule,
        MatInputModule,
        OverlayModule,
        StoreModule.forRoot({}),
      ],
      declarations: [FormComponent],
      providers: [Actions, MatSnackBar, Store],
    }).compileComponents();
  }));

  beforeEach(() => {
    fixture = TestBed.createComponent(FormComponent);
    component = fixture.componentInstance;
    el = fixture.debugElement;
    component.office = null;
    component.officeLoading = false;
    fixture.detectChanges();
  });

  it('should fill out form based on what comes back from API', () => {
    expect(component.office).toBe(null);
    expect(el.query(By.css('input.company-name')).nativeElement.value).toBe('');
    component.office = {
      companyName: 'Test Name',
    };
    component.officeLoading = false;
    fixture.detectChanges();

    expect(el.query(By.css('input.company-name')).nativeElement.value).toBe(
      'Test Name',
    );
  });
});
  

Комментарии:

1. Пожалуйста, смотрите пересмотренный ответ ниже.

Ответ №1:

Вам нужно дождаться, пока устройство станет стабильным после вызова fixture.detectChanges() .

  fixture.detectChanges();
    fixture.whenStable().then(() => {
      expect(el.query(By.css('input.company-name')).nativeElement.value).toBe(
        "Test Name",
      );
    });
  

Stackblitz

https://stackblitz.com/edit/directive-testing-yxuyuk ?embed =1amp;file=app/app.component.spec.ts