我正在使用angular2和来自服务的我绑定数据,问题是当我加载数据时我应该用id过滤它,这就是我的意思应该这样做:
<md-radio-button
*ngFor="#item of items_list"
*ngIf="item.id=1"
value="{{item.value}}" class="{{item.class}}" checked="{{item.checked}}"> {{item.label}}
</md-radio-button>
这是数据:
[
{ "id": 1, "value": "Fenêtre" ,"class":"md-primary" ,"label":"Fenêtre" ,"checked":"true"},
{ "id": 2, "value": "Porte Fenêtre" ,"class":"" ,"label":"Porte Fenêtre" }
]
顺便说一句,我只想接受id = 1的数据,但我看到了这个错误:
EXCEPTION: Template parse errors:
Parser Error: Bindings cannot contain assignments at column 14 in [ngIf item.id=1] in RadioFormesType1Component@10:16 ("
<md-radio-button
*ngFor="#item of items_list"
[ERROR ->]*ngIf="item.id=1"
value="{{item.value}}" class="{{item.class}}" checked="{{item.check"): RadioFormesType1Component@10:16
所以有任何建议一起使用ngif和ngfor吗?
答案 0 :(得分:9)
您可以使用以下内容:
*ngIf="item.id===1"
而不是
*ngIf="item.id=1"
您尝试将某些内容分配到id
属性(运算符=
),而不是测试其值(运算符==
或===
)。
此外,对于同一元素的ngFor和ngIf都不受支持。你可以试试这样的东西:
<div *ngFor="#item of items_list">
<md-radio-button
*ngIf="item.id===1"
value="{{item.value}}" class="{{item.class}}"
checked="{{item.checked}}">
{{item.label}}
</md-radio-button>
</div>
或
<template ngFor #item [ngForOf]="items_list">
<md-radio-button
*ngIf="item.id===1"
value="{{item.value}}" class="{{item.class}}"
checked="{{item.checked}}">
{{item.label}}
</md-radio-button>
</template>
答案 1 :(得分:7)
*ngIf
和*ngFor
。您需要使用带有明确<template>
标记的长格式表示其中一个。
更新
而不是<template>
使用<ng-container>
允许使用与内联*ngIf
和*ngFor
相同的语法
<ng-container *ngFor="#item of items_list">
<md-radio-button
*ngIf="item.id=1"
value="{{item.value}}" class="{{item.class}}" checked="{{item.checked}}"> {{item.label}}
</md-radio-button>
</ng-container>
答案 2 :(得分:7)
另一种解决方案是创建自定义过滤pipe:
import {Pipe} from 'angular2/core';
@Pipe({name: 'filter'})
export class FilterPipe {
transform(value, filters) {
var filter = function(obj, filters) {
return Object.keys(filters).every(prop => obj[prop] === filters[prop])
}
return value.filter(obj => filter(obj, filters[0]));
}
}
并在组件中使用它:
<md-radio-button
*ngFor="#item of items_list | filter:{id: 1}"
value="{{item.value}}" class="{{item.class}}" checked="{{item.checked}}"> {{item.label}}
</md-radio-button>
需要在组件上注册自定义管道:
@Component({
// ...
pipes: [FilterPipe]
})