如果Angular Mat Card没有显示计算值,可能是因为计算值的更新不会触发Angular的变更检测。
下面是一些可能的解决方法:
ChangeDetectorRef
的detectChanges()
方法手动触发变更检测。import { Component, ChangeDetectorRef } from '@angular/core';
@Component({
// component configuration
})
export class YourComponent {
computedValue: number;
constructor(private cdr: ChangeDetectorRef) {}
updateComputedValue() {
// update computed value
this.computedValue = ...;
// manually trigger change detection
this.cdr.detectChanges();
}
}
async
管道:使用async
管道可以自动订阅并更新计算值的变化。
{{ (computedValue$ | async) }}
import { Component } from '@angular/core';
import { Observable } from 'rxjs';
@Component({
// component configuration
})
export class YourComponent {
computedValue$: Observable;
constructor() {
this.computedValue$ = ...; // initialize computed value observable
}
}
确保在更新计算值时,computedValue$
的Observable会发出新的值。
ngZone
:使用ngZone
可以确保计算值的更新在Angular的变更检测范围内。import { Component, NgZone } from '@angular/core';
@Component({
// component configuration
})
export class YourComponent {
computedValue: number;
constructor(private ngZone: NgZone) {}
updateComputedValue() {
// update computed value
this.computedValue = ...;
// run the update inside Angular's zone
this.ngZone.run(() => {});
}
}
这些方法中的任何一种都应该可以解决Angular Mat Card不显示计算值的问题。选择其中一种方法,根据你的具体需求和场景进行实现。