0

这与围绕该主题的其他问题类似,但又有所不同。

我有一个包含记录列表的表格,每个表格都有一个选择复选框。

在表格标题中,我有一个“全选”复选框。

当用户选中/取消选中“全选”时,记录被选中/取消选中。这工作正常。

但是,当取消选择一条或多条记录时,我需要取消选择“全选”复选框。

我的标记:

<table>
    <thead>
        <tr>
            <th>Name</th>
            <th><input type="checkbox" data-bind="checked: SelectAll" /></th>
        </tr>
    </thead>
    <tbody data-bind="foreach: $data.People">
        <tr>
            <td data-bind="text: Name"></td>
            <td class="center"><input type="checkbox" data-bind="checked: Selected" /></td>
        </tr>
    </tbody>
</table>

我的脚本(已编辑):

function MasterViewModel() {
    var self = this;

    self.People = ko.observableArray();
    self.SelectAll = ko.observable(false);

    self.SelectAll.subscribe(function (newValue) {
        ko.utils.arrayForEach(self.People(), function (person) {
            person.Selected(newValue);
        });
    });
}


my.Person = function (name, selected) {
    var self = this;

    self.Name = name;
    self.Selected = ko.observable(false);
}
4

2 回答 2

6

这有效

http://jsfiddle.net/AneL9/

self.SelectAll = ko.computed({
    read: function() {
        var item = ko.utils.arrayFirst(self.People(), function(item) {
            return !item.Selected();
        });
        return item == null;           
    },
    write: function(value) {
        ko.utils.arrayForEach(self.People(), function (person) {
            person.Selected(value);
        });
    }
});

但是在选择全部取消选择时会给你一个 ordo n ^ 2 问题,你可以使用一个可计算的来解决这个问题

http://www.knockmeout.net/2011/04/pausing-notifications-in-knockoutjs.html

编辑:您还可以使用节流阀扩展计算,这样可以避免 ordo n^2 问题

.extend({ throttle: 1 })

http://jsfiddle.net/AneL9/44/

于 2013-02-20T13:17:23.753 回答
1

您应该SelectAll像这样使计算可观察:

self.SelectAll = ko.computed({
    read: function() {
        var persons = self.People();
        for (var i = 0, l = persons.length; i < l; i++)
            if (!persons[i].Selected()) return false;
        return true;
    },
    write: function(value) {
        ko.utils.arrayForEach(self.People(), function(person){
            person.Selected(value);
        });
    }
});

并剥离SelectAll.subscribe

http://jsfiddle.net/Yqj59/

于 2013-02-20T13:34:03.133 回答