我有一个父组件,它每秒钟更新其数组myValue
。在子组件中,我想创建一个图表,将这个数组用作数据,并在每次父组件更新时也进行更新。
运行此应用程序时出现此错误:
错误:ExpressionChangedAfterItHasBeenCheckedError:表达式具有 检查后更改。先前的值:“ hidden:true”。当前 值:“隐藏:假”。
这是我的父项:
@Component({
selector: 'app-parent',
templateUrl: './parent.component.html',
styleUrls: ['./parent.component.scss']
})
export class ParentComponent implements AfterContentInit, OnDestroy {
private myValues: MyValue[];
private alive: boolean;
constructor(private valueService: ValueService) {
this.alive = true;
this.myValues = [];
}
ngAfterContentInit(): void {
TimerObservable.create(0, 1000)
.takeWhile(() => this.alive)
.subscribe(() => {
this.valueService.doSmth().subscribe(
value => {
this.myValues.push(value);
}
);
});
}
...
}
父模板如下:
<ul>
<li *ngFor="let value of myValues">
<p>{{value.name}}</p>
</li>
</ul>
<app-value-chart [chartData] = myValues></app-value-chart>
这是我的子组件:
@Component({
selector: 'app-value-chart',
templateUrl: './value-chart.component.html',
styleUrls: ['./value-chart.component.scss']
)}
export class ValueChartComponent implements AfterViewInit {
@Input() chartData: MyValue[];
chart: any;
ngAfterViewInit(): void {
this.createChart(); // creates chart with ChartJS
const tmp: number[] = [];
for (let i = 0; i < this.chartData.length; i++) {
tmp.push(this.chartData[i].x);
}
this.chart.data.datasets[0].data = tmp;
this.chart.update(0);
}
...
}
子模板:
<canvas id="canvas" responsive>{{ chart }}</canvas>
我该如何解决我的问题?
我使用Angular 6。
答案 0 :(得分:2)
您可以在this article中找到有关该异常的详细说明。消除异常的一种技术是使用ChangeDetectorRef.detectChanges
强制更改检测:
export class ValueChartComponent implements AfterViewInit {
constructor(private cd: ChangeDetectorRef) { }
ngAfterViewInit(): void {
...
this.cd.detectChanges();
}
...
}
另一种技术是使用setTimeout
异步运行处理程序代码:
export class ValueChartComponent implements AfterViewInit {
ngAfterViewInit(): void {
setTimeout(() => {
...
});
}
...
}