显然,Angular 2 将使用管道而不是 Angular1 中的过滤器,并结合 ng-for 来过滤结果,尽管实现似乎仍然模糊,没有明确的文档。
即可以从以下角度看待我想要实现的目标
<div *ng-for="#item of itemsList" *ng-if="conditon(item)"></div>
如何使用管道来实现?
基本上,您编写一个管道,然后您可以在*ngFor指令中使用它。
*ngFor
在您的组件中:
filterargs = {title: 'hello'}; items = [{title: 'hello world'}, {title: 'hello kitty'}, {title: 'foo bar'}];
在您的模板中,您可以将字符串、数字或对象传递给管道以用于过滤:
<li *ngFor="let item of items | myfilter:filterargs">
在您的管道中:
import { Pipe, PipeTransform } from '@angular/core'; @Pipe({ name: 'myfilter', pure: false }) export class MyFilterPipe implements PipeTransform { transform(items: any[], filter: Object): any { if (!items || !filter) { return items; } // filter items array, items which match and return true will be // kept, false will be filtered out return items.filter(item => item.title.indexOf(filter.title) !== -1); } }
记得在 中注册您的管道app.module.ts;您不再需要在您的@Component
app.module.ts
@Component
import { MyFilterPipe } from './shared/pipes/my-filter.pipe'; @NgModule({ imports: [ .. ], declarations: [ MyFilterPipe, ], providers: [ .. ], bootstrap: [AppComponent] }) export class AppModule { }
这是一个 Plunker,它演示了使用自定义过滤器管道和内置切片管道来限制结果。
请注意(正如几位评论员所指出的)Angular 中没有内置过滤器管道是有原因的。