Свойство click не существует для типа DebugElement - PullRequest
0 голосов
/ 08 июня 2019

Я только начал с Кармой и Жасмин.Я застрял в точке, где я не могу выполнить модульное тестирование моего компонента, функция, которую я хочу вызвать, связана с условием *ngIf с кнопкой для некоторых конкретных значений.

my.component.ts

import { Component, Input, EventEmitter, Output } from '@angular/core';
import { Location } from '@angular/common';
import { XService } from 'src/app/services/x-service';

@Component({
  selector: 'my-head-component',
  templateUrl: './headComponent.html',
  styleUrls: ['./head.scss']
})
export class MyComponent {
  @Input() variableX = '';

  @Output() outVar1: EventEmitter<string> = new EventEmitter();
  @Output() outVar2: EventEmitter<string> = new EventEmitter();

  y1='';
  y2='';
  constructor(private location: Location,
    private xServ:XService ) { }

  lookBack() {
    this.location.back();
  }

  doSearch() {
    this.y1= '';
    this.y2 = '';

    this.outVar1.emit(this.y1);
    this.outVar2.emit(this.y2);
  }

   ...
}

headComponent.html

...

<header class="head">
    <div class="firstDiv">
        <a href="javascript:;" class="btnClass"
          *ngIf="(variableX !== 'value1')
              && (variableX !== 'value2')
          (click)="lookBack()">
        </a>
    </div>
</header>

...

x-service.ts

import { Injectable } from '@angular/core';
import { HttpClient } from '@angular/common/http';
import { Yserv } from './y-service';
import { Router } from '@angular/router';

const keyName = 'xxxxx';

@Injectable({
  providedIn: 'root'
})
export class XService {

  constructor(private http: HttpClient, private util: YServ,
    private router: Router) { }

  logout() {
    this.router.navigate(['/home-page']);
    this.util.removeValue(keyName);
  }

  getUser() {
    return JSON.parse(this.util.getValue(keyName));
  }

}

my.component.spec.ts

import {TestBed, ComponentFixture, inject, async} from '@angular/core/testing';
import {MyComponent} from './my.component';
import { HttpClientTestingModule } from '@angular/common/http/testing';
import { RouterTestingModule } from '@angular/router/testing';
import { XService } from 'src/app/services/x-service';
import {Location, LocationStrategy, PathLocationStrategy, APP_BASE_HREF} from '@angular/common';
import { FormsModule } from '@angular/forms';
import {DebugElement} from '@angular/core';
import {By} from '@angular/platform-browser';

describe('MyComponent',()=>{

  let component: MyComponent;
  let fixture: ComponentFixture<MyComponent>;
  let xServ: XService;
  let locServ : Location;
  let backEl: DebugElement;

  beforeEach(async(()=>{
    TestBed.configureTestingModule({
      declarations: [MyComponent],
      imports: [FormsModule, HttpClientTestingModule,RouterTestingModule],
      providers: [XService,Location,{ provide: LocationStrategy, useClass: PathLocationStrategy }, {provide: APP_BASE_HREF, useValue : '/' }]
    }).compileComponents().then(()=>{
        fixture = TestBed.createComponent(MyComponent);
        component = fixture.componentInstance;
        xServ = TestBed.get(XService);
        locServ = TestBed.get(Location);
    });
  }));

  it('should have a defined a type of MyComponent', () => {
    expect(component).toBeTruthy();
  });

  it('should click back button when variableX = value1 or value2 or value3 and call function Back()',async(()=>{
    spyOn(locServ,'back');
    component.variableX = 'value1';
    fixture.detectChanges();
    fixture.whenStable().then(()=>{
      backEl = fixture.debugElement.query(By.css('a.btnClass')).nativeElement;
      backEl.click();   /* <- error TS2339: Property 'click' does not exist on type 'DebugElement'. */
      expect(locServ.back).toHaveBeenCalled();
    });
  }));
});

Когда я запускаю мой файл спецификаций, используя ng test из терминала, он не запускается, а выдает ошибку , например, error TS2339: Property 'click' does not exist on type 'DebugElement'.Но когда я что-то изменяю в своем спецификационном файле и сохраняю его, ng test автоматически запускает мой спецификационный файл и показывает эту ошибку - TypeError: Cannot read property 'nativeElement' of null и TypeError: Cannot read property 'nativeElement' of null

Итак, в двух словах, я не могу настроить таргетингтег привязки в html-файле для запуска функции lookBack в моем компоненте.Я не уверен, что я делаю неправильно.Пока что я отформатировал код, основываясь на моих поисках и чтении.

Любая помощь будет принята с благодарностью.Спасибо:)

Ответы [ 2 ]

1 голос
/ 08 июня 2019

Вы можете использовать JavaScript-селектор вот так

const button = fixture.debugElement.nativeElement.querySelector('.btnClass');
button.click();
0 голосов
/ 09 июня 2019

Если тег href не важен для использования, вы можете использовать кнопку вместо тега

но если это нужно использовать, то попробуйте это

<a href="" ng-click="logout()">Sign out</a>

но это перезагрузит вашу страницу, просто используйте метод предотвращения по умолчанию в методе

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...