我只是做了一个简单的视图,我可以改变一个月:
<button class="btn btn-primary" (click)="switchToPrevMonth()"><</button>
{{currentDate|date:'MMMM'}}
<button class="btn btn-primary" (click)="switchToNextMonth()">></button>
然后在我的 .ts 中:
ngOnInit() {
this.currentDate = new Date();
}
switchToNextMonth() {
this.currentDate.setMonth(this.currentDate.getMonth()+1)
this.cdRef.detectChanges()
}
switchToPrevMonth() {
this.currentDate.setMonth(this.currentDate.getMonth()-1)
this.cdRef.detectChanges()
}
但它不会刷新日期 - 我通过创建一个在 ts(查看下面的代码(中使用 DatePipe 的方法 getDate(( 并返回一个字符串来使其工作,但想知道为什么第一种情况不起作用以及是否有办法让它工作......
有效的代码:
<button class="btn btn-primary" (click)="switchToPrevMonth()"><</button>
{{getDate()}}
<button class="btn btn-primary" (click)="switchToNextMonth()">></button>
.ts:
getDate():string{
return this.dp.transform(this.currentDate,"MMMM");
}
Angular 在修改 Date 对象时不会检测到任何更改。强制更改检测的一种方法是在每次修改日期时创建一个新的 Date 对象。您可以在此堆栈闪电战中看到它无需手动调用ChangeDetectorRef.detectChanges
即可工作(如果您的组件使用 ChangeDetectionStrategy.OnPush
除外(。
export class MyComponent implements OnInit {
public currentDate: Date;
ngOnInit() {
this.currentDate = new Date();
}
switchToNextMonth() {
this.incrementMonth(1);
}
switchToPrevMonth() {
this.incrementMonth(-1);
}
private incrementMonth(delta: number): void {
this.currentDate = new Date(
this.currentDate.getFullYear(),
this.currentDate.getMonth() + delta,
this.currentDate.getDate());
}
}