最佳答案
我有一个 AngularJS 指令,它呈现以下模板中的实体集合:
<table class="table">
<thead>
<tr>
<th><input type="checkbox" ng-click="selectAll()"></th>
<th>Title</th>
</tr>
</thead>
<tbody>
<tr ng-repeat="e in entities">
<td><input type="checkbox" name="selected" ng-click="updateSelection($event, e.id)"></td>
<td>{{e.title}}</td>
</tr>
</tbody>
</table>
正如您所看到的,它是一个 <table>
,每一行都可以用它自己的复选框单独选择,或者所有行都可以用位于 <thead>
中的主复选框一次选择。非常经典的用户界面。
什么是最好的方法:
<tr>
中添加一个 CSS 类) ?<table>
中的所有行执行前面描述的操作)我当前的实现是在我的指令中添加一个自定义控制器:
controller: function($scope) {
// Array of currently selected IDs.
var selected = $scope.selected = [];
// Update the selection when a checkbox is clicked.
$scope.updateSelection = function($event, id) {
var checkbox = $event.target;
var action = (checkbox.checked ? 'add' : 'remove');
if (action == 'add' & selected.indexOf(id) == -1) selected.push(id);
if (action == 'remove' && selected.indexOf(id) != -1) selected.splice(selected.indexOf(id), 1);
// Highlight selected row. HOW??
// $(checkbox).parents('tr').addClass('selected_row', checkbox.checked);
};
// Check (or uncheck) all checkboxes.
$scope.selectAll = function() {
// Iterate on all checkboxes and call updateSelection() on them??
};
}
更具体地说,我想知道:
link
函数中?<tr>
,或者选择模板中的所有复选框。$event
传递给 updateSelection()
看起来并不是很优雅。难道没有更好的方法来检索刚刚单击的元素的状态(选中/未选中)吗?谢谢你。