3

我正在尝试在 MVC 4 和 Knockout.js 中使用计算的 observableArray 创建一个可编辑的网格。首次加载数组时调用 computed() 方法,但不会在通过用户编辑在网格上更改任何数据时调用。

视图模型:

function CarsVm() {
var self = this;

self.url = 'http://localhost/FederatedWcf/Services/RestCars.svc/json/cars';

self.cars = ko.observableArray([]);

self.car = ko.computed(function () {
    if ( this.cars().length > 0)
        return this.cars()[this.cars().length-1].Make;
    else {
        return "";
    }
}, this);

self.GetCars = function () {
    var count = 0;
    $.getJSON(self.url, function (allData) {
        var mappedCars = $.map(allData.JsonCarsResult, function (item) {
            console.log(count);
            console.log(item);
            count = count + 1;
            return new Cars(item);
        });
        self.cars(mappedCars);
        console.log(self.cars());
    });
    $.ajaxSetup({ cache: false });
};

}

和 html 片段:

<table>
<thead>
    <tr>
        <th></th>
        <th>Year</th>
        <th>Make</th>
        <th>Model</th>
        <th></th>
    </tr>
</thead>
<tbody data-bind="foreach: cars">
    <tr>
        <td><span style="display:none" data-bind="text:Id"></span></td>
        <td><input data-bind="value:Year"></input></td>
        <td><input data-bind="value:Make"></input></td>
        <td><input data-bind="value:Model"></input></td>
        <td><button data-bind="click: $root.removeCar">-</button></td>
    </tr>
</tbody>
</table>
<span data-bind="text:car"></span>

如果我编辑网格中的最后一个 Make,我希望数据绑定的汽车元素会更新,但事实并非如此。

如何检测网格上的变化,比如在 onblur 事件期间,在淘汰的 observableArray 中?

4

2 回答 2

3

确保将 Cars 中的每个属性标记为可观察的,否则淘汰赛不会注意到它们发生了变化。

function Cars(data) {
   var self = this;
   self.Id = data.Id;
   self.Year = ko.observable(data.Year);
   self.Make = ko.observable(data.Make);
   self.Model = ko.observable(data.Model);
}
于 2013-02-21T23:38:00.667 回答
2

这是因为当您更改中对象的属性cars时,observableArray不会观察到任何东西(它仍然包含相同的对象,对吗?)

为了让它知道属性,你必须让 observableArray 中的每个项目本身成为一个 observable。您可以使用自己的映射插件ko.observable()或在您当前的映射功能中手动执行此操作。

于 2013-02-21T23:28:42.200 回答