我已经开始学习Knockout了,我在点击按钮时过滤可观察数组并显示结果时遇到了一些麻烦。
这是我的模特:
function Product(data) {
this.id = data.id;
this.name = data.name;
this.price = data.price;
this.description = data.desc;
this.image = data.image;
this.genre = data.genre;
this.show = data.show;
this.offer_desc = data.offer_desc;
this.offer_id = data.offer_id;
}
function ProductModel() {
var self = this;
self.products = ko.observableArray([]);
$.getJSON('../PHP/Utilities.php?json=true', function(json) {
var mappedProducts = $.map(json, function(item) { return new Product(item) });
self.products(mappedProducts);
});
self.filterProducts = ko.computed(function(genre) {
if(typeof genre === 'undefined') {
return self.products(); //initial load when no genre filter is specified
} else {
return ko.utils.arrayFilter(self.products(), function(prod) {
return prod.genre = genre;
});
}
});
}
ko.applyBindings(new ProductModel());
这是html:
<div data-bind="foreach: filterProducts">
<div class="row">
<div class="col-md-2">
<img data-bind="attr:{src: '../images/' + image, alt: name}" />
</div>
<div class="col-md-2" data-bind="text: name"></div>
<div class="col-md-1" data-bind="text: price"></div>
<div class="col-md-3" data-bind="text: description"></div>
<div class="col-md-1" data-bind='text: offer_id'>
<div class="col-md-2" data-bind="text: genre"></div>
<div class="col-md-1" data-bind="text: show"></div>
</div>
</div>
我也不确定如何绑定点击功能来过滤类型上的产品。我认为这样的事情......但它不起作用
<button data-bind="click: filter('1')"> Filter </button>
self.filter = function(genre) {
self.filterProducts(genre);
}
答案 0 :(得分:51)
ko.computed
。
您需要的是将当前过滤器存储在新属性中并在计算
中使用它function ProductModel() {
var self = this;
self.products = ko.observableArray([]);
self.currentFilter = ko.observable(); // property to store the filter
//...
self.filterProducts = ko.computed(function() {
if(!self.currentFilter()) {
return self.products();
} else {
return ko.utils.arrayFilter(self.products(), function(prod) {
return prod.genre == self.currentFilter();
});
}
});
}
在您的click
处理程序中,只需设置当前过滤器:
<button data-bind="click: function() { filter('1') }"> Filter </button>
self.filter = function(genre) {
self.currentFilter(genre);
}
演示JSFiddle
如果要在function() { }
绑定中传递其他参数a,请注意所需的click
(另请参阅documentation),否则Knockout会在解析绑定时执行您的函数而不是当你点击按钮时。
答案 1 :(得分:5)
您可能想要查看原始淘汰赛作者的Knockout Projections插件。在大集合的情况下,它具有性能优势。有关详细信息,请参阅blogpost。
self.filterProducts = self.products.filter(function(prod) {
return !self.currentFilter() || prod.genre == self.currentFilter();
});
答案 2 :(得分:4)
首先你误解/使用computed Observables
。来自KnockoutJS documentation:
这些是依赖于一个或多个其他功能的功能 observables,并且会在任何这些时自动更新 依赖性改变。
您的计算可观察filterProducts
取决于您不会改变的可观察数组products
,您只需读取它的值。因此,没有任何内容可以通知filterProducts
重新评估。
那么,什么是快速的简单修复?
filteredGenre
将依赖的新的可观察对象filterProducts
。filterProducts
以便检查filteredGenre
的值,并根据它返回已过滤的产品。filter
功能,以便在新genre
时更改filteredGenre
,这会导致重新评估已计算的filterProducts
我希望你明白了。