我试图建立一个每个字母都有分隔符的人列表(类似于电话的地址簿)。
people = ['Angela','Annie','Bob','Chris'];
Result:
A
Angela
Annie
B
Bob
C
Chris
我想使用Angular做类似于这个伪代码的事情:
<div id="container" ng-init="lastCharacter = ''">
@foreach(person in people)
@if(firstCharacter(person.name) != lastCharacter)
<div class="divider-item">{{firstCharacter(person.name)}}</div>
{{lastCharacter = firstCharacter(person.name)}}
@endif
<div class="person-item">{{person.name}}</div>
@endforeach
</div>
实现这一目标的最简单方法是什么?我无法使用ng-repeat提出一个优雅的解决方案。
答案 0 :(得分:1)
尝试(使用排序列表)
<div id="container" ng-repeat="person in people">
<div class="divider-item"
ng-if="$index == 0 || ($index > 0 && firstCharacter(person.name) != firstCharacter(people[$index-1].name))">{{firstCharacter(person.name)}}</div>
<div class="person-item">{{person.name}}</div>
</div>
希望您在范围内定义了firstCharacter
函数。或者您可以简单地使用person.name.charAt(0)
。
编辑:因为这将包含所有人的id容器。所以最好在容器内使用内部div并在那里运行ng-repeat
<div id="container" >
<div ng-repeat="person in people">
<div class="divider-item"
ng-if="$index == 0 || ($index > 0 && firstCharacter(person.name) != firstCharacter(people[$index-1].name))">{{firstCharacter(person.name)}}</div>
<div class="person-item">{{person.name}}</div>
</div>
</div>
答案 1 :(得分:1)
您应该创建一个自定义过滤器并在其中移动分组逻辑:
app.filter('groupByFirstLetter',function(){
return function(input){
var result = [];
for(var i = 0;i < input.length; i++){
var currentLetter = input[i][0]
var current = _.find(result, function(value){
return value.key == currentLetter;
});
if(!current){
current = {key: currentLetter, items: []}
result.push(current);
}
current.items.push(input[i]);
}
return result;
};
});
然后视图变得简单:
<div ng-repeat="personGroup in people | groupByFirstLetter">
<div class="divider-item">{{personGroup.key}}</div>
<div class="person-item" ng-repeat="person in personGroup.items">
{{person}}
</div>
</div>
以下是plunker中的一个小工作示例:http://plnkr.co/edit/W2qnTw0PVgcQWS6VbyM0?p=preview 它正在发挥作用,但它会抛出一些例外,你会得到这个想法。