我正在使用Angular 5,我正在构建一个项目列表,其中包含一些可以过滤列表的按钮。我正在努力做的是当其中一个过滤器隐藏列表中的每个项目时,显示“找不到数据”类型的消息。
基本上就是这样:
过滤器按钮
<div padding>
<ion-segment [(ngModel)]="filter" (ionChange)="onFilterChange()">
<ion-segment-button value="all">
All
</ion-segment-button>
<ion-segment-button value="2">
Pending
</ion-segment-button>
<ion-segment-button value="1">
Confirmed
</ion-segment-button>
</ion-segment>
</div>
列表
<ion-list *ngFor="let r of (reservations | async)">
<ion-card *ngIf="(filter == 'all' || filter == r.confirmed)">
<ion-item>
Item
</ion-item>
</ion-card>
</ion-list>
注意:我正在使用异步管道,因为数据来自Firebase实时数据库。
因此,我的所有项目都处于待处理状态(已确认:2),所以当我点击确认按钮时,列表中的所有项目都会被隐藏,这是完美的。但是,如何显示“未找到数据”消息而不是空列表?
我已经尝试了其他条件,但我收到多个“找不到数据”消息(每个隐藏项目一个):
<ion-list *ngFor="let r of (reservations | async)">
<ion-card *ngIf="(filter == 'all' || filter == r.confirmed); else empty;">
<ion-item>
Item
</ion-item>
</ion-card>
</ion-list>
<ng-template #empty>
No data found...
</ng-template>
那么实现这一目标的正确方法是什么? 感谢。
答案 0 :(得分:1)
尝试这种方法并告诉我它是否适合你。
<强>组件:强>
// control variable
dataAvailable = false;
onFilterChange(filterType: number) {
// your code and logic
// This is pretty ugly, make it prettier please...
// checking if exists at least 1 reservation with confirmed = 1 | 2 (depends on argument).
this.dataAvailable = this.reservations.filter(res => res.confirmed === filterType).length > 0;
}
<强>模板:强>
<div *ngIf="dataAvailable; then printData else empty"></div>
<ng-template #printData>
<ion-list *ngFor="let r of (reservations | async)">
<ion-card>
<ion-item>
Item
</ion-item>
</ion-card>
</ion-list>
</ng-template>
<ng-template #empty>
No data found...
</ng-template>
所以,我的想法是,首先我们检查是否值得循环模板中的数据。我们在组件中检查这一点,我们看看它是否存在任何具有过滤值的预留。
如果它不存在,我们将不循环,我们只显示(没有数据)。 如果它确实存在,我们将循环并打印它们......
有意义吗?希望它能帮助你或者至少指出你正确的方向!
答案 1 :(得分:0)
IMO你不应该显示原始的预订列表。而是显示已经过滤的列表:
component.html
<ion-segment [formControl]="status" (ionChange)="onFilterChange()">
<ion-segment-button value="2">
Pending
</ion-segment-button>
<ion-segment-button value="1">
Confirmed
</ion-segment-button>
</ion>
<div *ngIf="empty$ | async; else notEmpty">
Nothing
</div>
<ng-template #notEmpty>
<ion-list *ngFor="let reservation of reservations$ | async">
<ion-card>
<ion-item>
Item
</ion-item>
</ion-card>
</ion-list>
</ng-template>
component.ts
import {combineLatest} from 'rxjs/observable/combineLatest';
import {FormControl} from '@angular/forms';
status= new FormControl;
reservations$: Observable<IReservation[]>;
empty$: Observable<boolean>;
constructor(){
this.reservations$ = combineLatest(rawReservations$,this.status.valueChanges,this._applyFilter);
this.empty$ = this.reservations$.map(reservations => reservations.length === 0);
}
private _applyFilter(reservations: IReservation[], status: number): IReservation[]{
let result = reservations;
//apply filter logic
return result;
}