如何正确地对 BackboneJs 集合进行反向排序?
How to properly reverse sort a BackboneJs collection?
我有一个 table,其中显示了多个项目。
<table>
...
<th scope="col">Priority <a id="sort"><i class="fas fa-chevron-down"></i></a> <a id="sort2">
<i class="fas fa-chevron-up"></i></a></th>
...
</table>
优先级为整数,分别为1、2、3。
我正在尝试在单击按钮时对项目进行排序。我设法在我的视图中使用 collection.sort()
进行了一次排序,并且排序完美。如何通过单击 sort2 按钮反向排序?对此有任何帮助表示赞赏。谢谢。
app.views.ShareView = Backbone.View.extend({
el: ".page",
initialize: function () {},
events:{
"click #sort" : "sort",
"click #sort2" : "sort2"
},
sort: function (e){
e.preventDefault();
this.collection.comparator = 'priority_id';
this.collection.sort();
this.render();
},
sort2: function (e){
//reverse sort
}
render: function () {
template = _.template($('#share-template').html());
this.$el.html(template(app.userShare.attributes));
}
});
您需要使用排序 comparator 函数而不是 comparator
属性。这允许您指定一个比较器函数,而不仅仅是 属性。例如;
this.collection.comparator = function(firstModel, secondModel) {
if(firstModel.priority_id > secondModel.priority_id) { // change to < in order reverse the order
return -1;
}
else if(firstModel.priority_id === secondModel.priority_id) {
return 0;
}
else {
return 1;
}
}
this.collection.sort();
在 BackboneJS 中,如果您需要额外的功能,通常可以使用函数代替值。
我有一个 table,其中显示了多个项目。
<table>
...
<th scope="col">Priority <a id="sort"><i class="fas fa-chevron-down"></i></a> <a id="sort2">
<i class="fas fa-chevron-up"></i></a></th>
...
</table>
优先级为整数,分别为1、2、3。
我正在尝试在单击按钮时对项目进行排序。我设法在我的视图中使用 collection.sort()
进行了一次排序,并且排序完美。如何通过单击 sort2 按钮反向排序?对此有任何帮助表示赞赏。谢谢。
app.views.ShareView = Backbone.View.extend({
el: ".page",
initialize: function () {},
events:{
"click #sort" : "sort",
"click #sort2" : "sort2"
},
sort: function (e){
e.preventDefault();
this.collection.comparator = 'priority_id';
this.collection.sort();
this.render();
},
sort2: function (e){
//reverse sort
}
render: function () {
template = _.template($('#share-template').html());
this.$el.html(template(app.userShare.attributes));
}
});
您需要使用排序 comparator 函数而不是 comparator
属性。这允许您指定一个比较器函数,而不仅仅是 属性。例如;
this.collection.comparator = function(firstModel, secondModel) {
if(firstModel.priority_id > secondModel.priority_id) { // change to < in order reverse the order
return -1;
}
else if(firstModel.priority_id === secondModel.priority_id) {
return 0;
}
else {
return 1;
}
}
this.collection.sort();
在 BackboneJS 中,如果您需要额外的功能,通常可以使用函数代替值。