2

我目前正在尝试模拟 Angular 单元测试的输入属性。不幸的是,我无法再进一步并反复收到以下错误消息:

TypeError:无法读取未定义的属性“数据”

我的 HTML 模板看起来像这样

<div class="container-fluid">
  <div class="row">
    <div class="col-12">
      <plot [data]="graph.data" [layout]="graph.layout"></plot>
    </div>
  </div>
</div>

我的组件是这样的:

...
export class ChartComponent implements OnInit {

  @Input() currentChart: Chart;

  currentLocationData: any;

  public graph = {
    data: [
      {
        type: 'bar',
        x: [1, 2, 3],
        y: [10, 20, 30],
      }
    ],
    layout: {
      title: 'A simple chart',
    },
    config: {
      scrollZoom: true
    }
  };

  ...
}

我的单元测试现在看起来很基础,但仍然抛出上述错误:

describe('ChartComponent', () => {

  let component: ChartComponent;
  let fixture: ComponentFixture<ChartComponent>;

  beforeEach(async(() => {
    TestBed.configureTestingModule({
      declarations: [ChartComponent],
      imports: [
        // My imports
      ]
    })
      .compileComponents();
  }));

  beforeEach(() => {
    fixture = TestBed.createComponent(ChartComponent);
    component = fixture.componentInstance;
    fixture.detectChanges();
  });

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

我尝试了不同的方法来模拟数据属性和currentChart @Input.

实现这一目标并修复单元测试的正确方法是什么?

4

1 回答 1

6

输入属性就像任何变量一样工作。在您的 beforeEach 中,您可以将其设置为一个值

beforeEach(() => {
  fixture = TestBed.createComponent(ExplorerChartViewComponent);
  component = fixture.componentInstance;
  component.currentChart = someChart; // set input before first detectChanges
  fixture.detectChanges();
});

您可以在此处阅读有关此内容的更多信息。我更喜欢这种方法

使用我首选的方法,您将拥有一个看起来像的 TestHost 组件

@Component({
  selector: 'app-testhost-chart',
  template: `<app-chart [currentChart]=chart></app-chart>`, // or whatever your Chart Component Selector is
})
export class TestHostComponent {
  chart = new Chart();
}

然后切换到创建新的测试主机。

 declarations: [ChartComponent, TestHostComponent ],
...
beforeEach(() => {
  fixture = TestBed.createComponent(TestHostComponent );
  component = fixture.debugElement.children[0].componentInstance;
  fixture.detectChanges();
});

但是,我想我还看到了您可能遇到的另外两个问题。特别是因为您正在分配图表

  1. 您正在declarations: [ChartComponent],创建但fixture = TestBed.createComponent(ExplorerChartViewComponent);我认为它应该创建TestBed.createComponent(ChartComponent),除非这是复制/粘贴问题。
  2. 您的 html 具有<plot [data]="graph.data" [layout]="graph.layout"></plot>指示您未声明的绘图组件。您将需要为绘图声明一个组件。我建议做一些与 TestHostComponent 非常相似的事情,但它与你的真实 PlotComponent 具有所有相同的公共属性,这样你就不会将 PlotComponent 的真正功能和依赖项带入 ChartComponent 的单元测试中。
于 2019-09-17T21:31:23.213 回答