Typescript - Угловое тестирование, как обработать http-запрос с параметрами, которые находятся внутри ngOnInit? - PullRequest
0 голосов
/ 01 февраля 2019

У меня есть модальный компонент, который получает входные данные извне и при открытии отправляет запрос на сервер для получения данных.После получения данных он присваивается общедоступной переменной и используется для отображения данных.Как мне написать тест для него?Нужно ли издеваться HttpClient ?Или я должен предоставить все элементы @ Input , а затем выполнить запрос как обычно?Но в этом случае мне нужно иметь реальные данные для фоновой базы данных, чтобы найти их в базе данных.

Я попытался найти эту конкретную проблему, но не могу ничего найти.Я нашел, как имитировать запросы, но не тогда, когда они находятся внутри ngOnInit () .Я добавлю весь необходимый код ниже.

компонент:

enum Nav {
  General = 'General',
  SSL = 'SSL',
  Routes = 'Routes',
  Statistics = 'Statistics'
};

@Component({
  selector: 'app-mod-route-properties',
  templateUrl: './mod-route-properties.component.html',
  styleUrls: ['./mod-route-properties.component.scss']
})
export class ModRoutePropertiesComponent implements OnInit {

  @Input()
  title: string;

  @Input()
  resourceAddress: ResourceAddress;

  @Input()
  wgsKey: string;

  public emsRouteInfoData: EmsRouteInfoData;

  public sideMenuItems = Object.values(Nav);
  public active: string;
  Nav = Nav;

  constructor(
    private modRoutePropertiesService: ModRoutePropertiesService
  ) {
  }

  ngOnInit() {
    this.active = Nav.General;
    this.modRoutePropertiesService.getRouteProperties(this.resourceAddress, this.wgsKey).subscribe((res: EmsRouteInfoData) => {
      this.emsRouteInfoData = res;
    }, err => {
      console.log(err);
    });
  }
}

сервис:

@Injectable()
export class ModRoutePropertiesService {

    constructor(
        private urlService: UrlService,
        private serverSettingsService: ServerSettingsService,
        private http: HttpClient
    ) { }

    public getRouteProperties(resourceAddress: ResourceAddress, wgsKey: string) {
        let token = this.urlService.getTokenByKey(wgsKey);
        let url = this.serverSettingsService.getRequestUrl('/route/properties');

        let headers = { 'x-access-token': token };
        let params = {
            manager: resourceAddress.manager,
            node: resourceAddress.node,
            qmgr: resourceAddress.qmgr,
            route: resourceAddress.objectName
        };
        const rq = { headers: new HttpHeaders(headers), params: params };

        return this.http.get<EmsRouteInfoData>(url, rq);
    }
}

сам тест:

describe('ModRoutePropertiesComponent', () => {
    let component: ModRoutePropertiesComponent;
    let fixture: ComponentFixture<ModRoutePropertiesComponent>;
    let httpMock: HttpTestingController;

    beforeEach(async(() => {
        TestBed.configureTestingModule({
            imports: [
                FormsModule,
                HttpClientTestingModule,
                NgbModule.forRoot(),
                RouterModule
            ],
            declarations: [
                AppComponent,
                ModRoutePropertiesComponent,
                ModalTitleComponent,
                ModRoutePropertiesGeneralComponent,
                ModRoutePropertiesSslComponent,
                ModRoutePropertiesRoutesComponent,
                ModRoutePropertiesStatisticsComponent,
                ModRoutePropertiesRouteSelectorComponent
            ],
            providers: [
                ModRoutePropertiesService,
                UrlService,
                TabsService,
                {
                    provide: Router,
                    useClass: class { navigate = jasmine.createSpy('tab'); }
                },
                NgbActiveModal,
                ServerSettingsService,
                ModErrorsDisplayService,
                ModalWindowService,
                LoadingIndicatorService
            ]
        })
            .compileComponents();
    }));

    beforeEach(() => {
        fixture = TestBed.createComponent(ModRoutePropertiesComponent);
        component = fixture.componentInstance;
        httpMock = TestBed.get(HttpTestingController);
        fixture.detectChanges();
    });

    it('should create', () => {
        expect(component).toBeTruthy();
    });

    it(`should init 'active'`, () => {
        expect(component.active).toBeDefined();
        expect(component.active).toEqual(component.Nav.General);
    });


    it(`should have initialized 'emsRouteInfoData'`, async(() => {
        expect(component.emsRouteInfoData).toBeDefined();
    }));
});

1 Ответ

0 голосов
/ 04 февраля 2019

Я нашел решение.Таким образом, чтобы протестировать вызов запроса, который находится внутри метода ngOnInit, вам необходимо шпионить за этой конкретной функцией запроса до вызова ngOnInit.Вместе с spyOn(service, 'function').and.returnValue(Observable.of(object)) он имитирует вызов запроса и возвращает указанные вами данные.
Для этого я удалил fixture.detectChanges() на beforeEach() тестовой заглушке.detechChanges() запускает цикл обнаружения изменений для компонента.После этого мой beforeEach() выглядит следующим образом:

beforeEach(() => {
        fixture = TestBed.createComponent(ModRoutePropertiesComponent);
        component = fixture.componentInstance;

        resourceAddress = new ResourceAddress();
        resourceAddress.node = 'Node';
        resourceAddress.manager = 'MANAGER';
        resourceAddress.qmgr = 'T1';
        resourceAddress.objectName = 'TestRoute';

        // setting inputs
        component.resourceAddress = resourceAddress;
        component.title = title;
        component.wgsKey = wgsKey;
    });

И после этого я переместил detectChanges() в конкретный тестовый пример, после того, как издевался над вызовом нужной функции getRouteProperties.

it(`should have initialized 'emsRouteInfoData'`, async(() => {
        // needs 'Observable.of()' to simulate real Observable and subscription to it
        spyOn(service, 'getRouteProperties').and.returnValue(Observable.of(dummyRoute));
        // start ngOnInit
        fixture.detectChanges();
        expect(service.getRouteProperties).toHaveBeenCalled();
        expect(component.emsRouteInfoData).toBeDefined();
    }));
...