我有一个 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>
. 相当经典的用户界面。
最好的方法是:
- 选择单行(即选中复选框时,将所选实体的 id 添加到内部数组中,并将 CSS 类添加到
<tr>
包含实体以反映其选定状态)? - 一次选择所有行?(即对 中的所有行执行前面描述的操作
<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
函数中? - 鉴于 jQuery 不一定存在(AngularJS 不需要它),那么进行 DOM 遍历的最佳方法是什么?如果没有 jQuery,我很难选择
<tr>
给定复选框的父级,或者选择模板中的所有复选框。 - 传递
$event
给updateSelection()
似乎不是很优雅。难道没有更好的方法来检索刚刚单击的元素的状态(选中/未选中)吗?
谢谢你。