按字符串属性值对对象数组进行排序
2009-07-15
3354883
我有一个 JavaScript 对象数组:
var objs = [
{ first_nom: 'Laszlo', last_nom: 'Jamf' },
{ first_nom: 'Pig', last_nom: 'Bodine' },
{ first_nom: 'Pirate', last_nom: 'Prentice' }
];
如何在 JavaScript 中按
last_nom
的值对它们进行排序?
我知道
sort(a,b)
,但它似乎只适用于字符串和数字。我需要向我的对象添加
toString()
方法吗?
3个回答
编写自己的比较函数非常简单:
function compare( a, b ) {
if ( a.last_nom < b.last_nom ){
return -1;
}
if ( a.last_nom > b.last_nom ){
return 1;
}
return 0;
}
objs.sort( compare );
或内联( c/o Marco Demaio ):
objs.sort((a,b) => (a.last_nom > b.last_nom) ? 1 : ((b.last_nom > a.last_nom) ? -1 : 0))
或简化为数字( c/o Andre Figueiredo ):
objs.sort((a,b) => a.last_nom - b.last_nom); // b - a for reverse sort
Wogan
2009-07-15
您还可以创建一个动态排序函数,根据您传递的值对对象进行排序:
function dynamicSort(property) {
var sortOrder = 1;
if(property[0] === "-") {
sortOrder = -1;
property = property.substr(1);
}
return function (a,b) {
/* next line works with strings and numbers,
* and you may want to customize it to your needs
*/
var result = (a[property] < b[property]) ? -1 : (a[property] > b[property]) ? 1 : 0;
return result * sortOrder;
}
}
因此,您可以拥有如下对象数组:
var People = [
{Name: "Name", Surname: "Surname"},
{Name:"AAA", Surname:"ZZZ"},
{Name: "Name", Surname: "AAA"}
];
...并且当您这样做时它会起作用:
People.sort(dynamicSort("Name"));
People.sort(dynamicSort("Surname"));
People.sort(dynamicSort("-Surname"));
实际上这已经回答了这个问题。下面的部分是因为很多人联系我,抱怨 它不适用于多个参数 。
多个参数
您可以使用下面的函数生成具有多个排序参数的排序函数。
function dynamicSortMultiple() {
/*
* save the arguments object as it will be overwritten
* note that arguments object is an array-like object
* consisting of the names of the properties to sort by
*/
var props = arguments;
return function (obj1, obj2) {
var i = 0, result = 0, numberOfProperties = props.length;
/* try getting a different result from 0 (equal)
* as long as we have extra properties to compare
*/
while(result === 0 && i < numberOfProperties) {
result = dynamicSort(props[i])(obj1, obj2);
i++;
}
return result;
}
}
这将使您能够做这样的事情:
People.sort(dynamicSortMultiple("Name", "-Surname"));
子类化数组
对于我们当中可以使用 ES6 的幸运儿,它允许扩展本机对象:
class MyArray extends Array {
sortBy(...args) {
return this.sort(dynamicSortMultiple(...args));
}
}
这将启用此功能:
MyArray.from(People).sortBy("Name", "-Surname");
Ege Özcan
2011-01-21
在 ES6/ES2015 或更高版本中,您可以按照以下方式执行操作:
objs.sort((a, b) => a.last_nom.localeCompare(b.last_nom));
ES6/ES2015 之前
objs.sort(function(a, b) {
return a.last_nom.localeCompare(b.last_nom)
});
Vlad Bezden
2016-01-29