简体   繁体   English

如何按日期属性对 object 数组进行排序?

[英]How to sort an object array by date property?

Say I have an array of a few objects:假设我有几个对象的数组:

var array = [{id: 1, date: Mar 12 2012 10:00:00 AM}, {id: 2, date: Mar 8 2012 08:00:00 AM}];

How can I sort this array by the date element in order from the date closest to the current date and time down?如何按日期元素对这个数组进行排序,从最接近当前日期和时间的日期开始排序? Keep in mind that the array may have many objects, but for the sake of simplicity I used 2.请记住,数组可能有很多对象,但为了简单起见,我使用了 2。

Would I use the sort function and a custom comparator?我会使用排序 function 和自定义比较器吗?

Simplest Answer最简单的答案

array.sort(function(a,b){
  // Turn your strings into dates, and then subtract them
  // to get a value that is either negative, positive, or zero.
  return new Date(b.date) - new Date(a.date);
});

More Generic Answer更通用的答案

array.sort(function(o1,o2){
  if (sort_o1_before_o2)    return -1;
  else if(sort_o1_after_o2) return  1;
  else                      return  0;
});

Or more tersely:或者更简洁:

array.sort(function(o1,o2){
  return sort_o1_before_o2 ? -1 : sort_o1_after_o2 ? 1 : 0;
});

Generic, Powerful Answer通用、强大的答案

Define a custom non-enumerable sortBy function using a Schwartzian transform on all arrays :使用Schwartzian 变换对所有数组定义自定义的不可枚举sortBy函数:

(function(){
  if (typeof Object.defineProperty === 'function'){
    try{Object.defineProperty(Array.prototype,'sortBy',{value:sb}); }catch(e){}
  }
  if (!Array.prototype.sortBy) Array.prototype.sortBy = sb;

  function sb(f){
    for (var i=this.length;i;){
      var o = this[--i];
      this[i] = [].concat(f.call(o,o,i),o);
    }
    this.sort(function(a,b){
      for (var i=0,len=a.length;i<len;++i){
        if (a[i]!=b[i]) return a[i]<b[i]?-1:1;
      }
      return 0;
    });
    for (var i=this.length;i;){
      this[--i]=this[i][this[i].length-1];
    }
    return this;
  }
})();

Use it like so:像这样使用它:

array.sortBy(function(o){ return o.date });

If your date is not directly comparable, make a comparable date out of it, eg如果您的日期不能直接比较,请从中制作一个可比较的日期,例如

array.sortBy(function(o){ return new Date( o.date ) });

You can also use this to sort by multiple criteria if you return an array of values:如果您返回一个值数组,您还可以使用它按多个条件排序:

// Sort by date, then score (reversed), then name
array.sortBy(function(o){ return [ o.date, -o.score, o.name ] };

See http://phrogz.net/JS/Array.prototype.sortBy.js for more details.有关更多详细信息,请参阅http://phrogz.net/JS/Array.prototype.sortBy.js

@Phrogz answers are both great, but here is a great, more concise answer: @Phrogz 的答案都很棒,但这里有一个很棒的、更简洁的答案:

array.sort(function(a,b){return a.getTime() - b.getTime()});

Using the arrow function way使用箭头函数方式

array.sort((a,b)=>a.getTime()-b.getTime());

found here: Sort date in Javascript在这里找到: 在 Javascript 中对日期进行排序

After correcting the JSON this should work for you now:更正 JSON 后,这现在应该对您有用:

var array = [{id: 1, date:'Mar 12 2012 10:00:00 AM'}, {id: 2, date:'Mar 8 2012 08:00:00 AM'}];


array.sort(function(a, b) {
    var c = new Date(a.date);
    var d = new Date(b.date);
    return c-d;
});

Your data needs some corrections:您的数据需要一些更正:

var array = [{id: 1, date: "Mar 12 2012 10:00:00 AM"},{id: 2, date: "Mar 28 2012 08:00:00 AM"}];

After correcting the data, you can use this piece of code:更正数据后,可以使用这段代码:

function sortFunction(a,b){  
    var dateA = new Date(a.date).getTime();
    var dateB = new Date(b.date).getTime();
    return dateA > dateB ? 1 : -1;  
}; 

var array = [{id: 1, date: "Mar 12 2012 10:00:00 AM"},{id: 2, date: "Mar 28 2012 08:00:00 AM"}];
array.sort(sortFunction);​

I recommend GitHub: Array sortBy - a best implementation of sortBy method which uses the Schwartzian transform我推荐GitHub:Array sortBy - 使用Schwartzian 变换sortBy方法的最佳实现

But for now we are going to try this approach Gist: sortBy-old.js .但现在我们将尝试这种方法要点: sortBy-old.js
Let's create a method to sort arrays being able to arrange objects by some property.让我们创建一个方法来对数组进行排序,以便能够按某些属性排列对象。

Creating the sorting function创建排序函数

var sortBy = (function () {
  var toString = Object.prototype.toString,
      // default parser function
      parse = function (x) { return x; },
      // gets the item to be sorted
      getItem = function (x) {
        var isObject = x != null && typeof x === "object";
        var isProp = isObject && this.prop in x;
        return this.parser(isProp ? x[this.prop] : x);
      };
      
  /**
   * Sorts an array of elements.
   *
   * @param {Array} array: the collection to sort
   * @param {Object} cfg: the configuration options
   * @property {String}   cfg.prop: property name (if it is an Array of objects)
   * @property {Boolean}  cfg.desc: determines whether the sort is descending
   * @property {Function} cfg.parser: function to parse the items to expected type
   * @return {Array}
   */
  return function sortby (array, cfg) {
    if (!(array instanceof Array && array.length)) return [];
    if (toString.call(cfg) !== "[object Object]") cfg = {};
    if (typeof cfg.parser !== "function") cfg.parser = parse;
    cfg.desc = !!cfg.desc ? -1 : 1;
    return array.sort(function (a, b) {
      a = getItem.call(cfg, a);
      b = getItem.call(cfg, b);
      return cfg.desc * (a < b ? -1 : +(a > b));
    });
  };
  
}());

Setting unsorted data设置未排序的数据

var data = [
  {date: "2011-11-14T17:25:45Z", quantity: 2, total: 200, tip: 0,   type: "cash"},
  {date: "2011-11-14T16:28:54Z", quantity: 1, total: 300, tip: 200, type: "visa"},
  {date: "2011-11-14T16:30:43Z", quantity: 2, total: 90,  tip: 0,   type: "tab"},
  {date: "2011-11-14T17:22:59Z", quantity: 2, total: 90,  tip: 0,   type: "tab"},
  {date: "2011-11-14T16:53:41Z", quantity: 2, total: 90,  tip: 0,   type: "tab"},
  {date: "2011-11-14T16:48:46Z", quantity: 2, total: 90,  tip: 0,   type: "tab"},
  {date: "2011-11-31T17:29:52Z", quantity: 1, total: 200, tip: 100, type: "visa"},
  {date: "2011-11-01T16:17:54Z", quantity: 2, total: 190, tip: 100, type: "tab"},
  {date: "2011-11-14T16:58:03Z", quantity: 2, total: 90,  tip: 0,   type: "tab"},
  {date: "2011-11-14T16:20:19Z", quantity: 2, total: 190, tip: 100, type: "tab"},
  {date: "2011-11-14T17:07:21Z", quantity: 2, total: 90,  tip: 0,   type: "tab"},
  {date: "2011-11-14T16:54:06Z", quantity: 1, total: 100, tip: 0,   type: "cash"}
];

Using it使用它

Finally, we arrange the array, by "date" property as string最后,我们排列数组,通过"date"属性作为string

//sort the object by a property (ascending)
//sorting takes into account uppercase and lowercase
sortBy(data, { prop: "date" });

If you want to ignore letter case, set the "parser" callback:如果要忽略字母大小写,请设置"parser"回调:

//sort the object by a property (descending)
//sorting ignores uppercase and lowercase
sortBy(data, {
    prop: "date",
    desc: true,
    parser: function (item) {
        //ignore case sensitive
        return item.toUpperCase();
    }
});

If you want to treat the "date" field as Date type:如果要将“日期”字段视为Date类型:

//sort the object by a property (ascending)
//sorting parses each item to Date type
sortBy(data, {
    prop: "date",
    parser: function (item) {
        return new Date(item);
    }
});

Here you can play with the above example:在这里你可以玩上面的例子:
jsbin.com/lesebi jsbin.com/lesebi

This should do when your date is in this format (dd/mm/yyyy).当您的日期采用这种格式 (dd/mm/yyyy) 时,应该这样做。

  sortByDate(arr) {
    arr.sort(function(a,b){
      return Number(new Date(a.readableDate)) - Number(new Date(b.readableDate));
    });

    return arr;
  }

Then call sortByDate(myArr);然后调用sortByDate(myArr);

You could use sortBy in underscore js.您可以在下划线 js 中使用 sortBy。

http://underscorejs.org/#sortBy http://underscorejs.org/#sortBy

Sample:样本:

var log = [{date: '2016-01-16T05:23:38+00:00', other: 'sample'}, 
           {date: '2016-01-13T05:23:38+00:00',other: 'sample'}, 
           {date: '2016-01-15T11:23:38+00:00', other: 'sample'}];

console.log(_.sortBy(log, 'date'));

I'm going to add this here, as some uses may not be able to work out how to invert this sorting method.我将在这里添加这个,因为有些用户可能无法弄清楚如何反转这种排序方法。

To sort by 'coming up', we can simply swap a & b, like so:要按“出现”排序,我们可以简单地交换 a & b,如下所示:

your_array.sort ( (a, b) => {
      return new Date(a.DateTime) - new Date(b.DateTime);
});

Notice that a is now on the left hand side, and b is on the right, :D!请注意, a现在在左侧, b在右侧,:D!

I personally use following approach to sort dates.我个人使用以下方法对日期进行排序。

let array = ["July 11, 1960", "February 1, 1974", "July 11, 1615", "October 18, 1851", "November 12, 1995"];

array.sort(function(date1, date2) {
   date1 = new Date(date1);
   date2 = new Date(date2);
   if (date1 > date2) return 1;
   if (date1 < date2) return -1;
})

i was able to achieve sorting using below lines:我能够使用以下几行实现排序:

array.sort(function(a, b)
{
   if (a.DueDate > b.DueDate) return 1;
   if (a.DueDate < b.DueDate) return -1;
})
Adding absolute will give better results

var datesArray =[
      {"some":"data1","date": "2018-06-30T13:40:31.493Z"},
      {"some":"data2","date": "2018-07-04T13:40:31.493Z"},
      {"some":"data3","date": "2018-06-27T13:40:54.394Z"}
   ]

var sortedJsObjects = datesArray.sort(function(a,b){ 
    return Math.abs(new Date(a.date) - new Date(b.date)) 
});

With ES6 arrow functions, you can further write just one line of concise code (excluding variable declaration).使用 ES6 箭头函数,你可以进一步编写一行简洁的代码(不包括变量声明)。

Eg.:例如。:

 var isDescending = true; //set to false for ascending console.log(["8/2/2020","8/1/2020","8/13/2020", "8/2/2020"].sort((a,b) => isDescending ? new Date(b).getTime() - new Date(a).getTime() : new Date(a).getTime() - new Date(b).getTime()));

Since time does not exists with the above dates, the Date object will consider following default time for sorting:由于上述日期不存在时间,因此 Date 对象将考虑以下默认时间进行排序:

00:00:00 00:00:00

The code will work for both ascending and descending sort.该代码适用于升序和降序排序。 Just change the value of isDescending variable as required.只需根据需要更改isDescending变量的值。

arr is an array of object and each object has date_prop which is a date. arr 是一个对象数组,每个对象都有 date_prop 这是一个日期。 You can sort it in descending/decreasing order like this您可以像这样按降序/降序对其进行排序

 arr = arr.sort(function (a, b) {
      var dateA = new Date(a.date_prop).getTime();
      var dateB = new Date(b.date_prop).getTime();
      return dateA < dateB ? 1 : -1; // ? -1 : 1 for ascending/increasing order
    });

Strings with dates are comparable in JavaScript (if they are syntactically the same), eg:带有日期的字符串在 JavaScript 中是可比较的(如果它们在语法上相同),例如:

'2020-12-01' < '2020-12-02' == true

This means you can use this expression in a custom sort function:这意味着您可以在自定义排序函数中使用此表达式:

 var arr = [{id:1, date:'2020-12-01'}, {id:1, date:'2020-12-15'}, {id:1, date:'2020-12-12'}] function sortByDate(a, b) { if (a.date < b.date) { return 1; } if (a.date > b.date) { return -1; } return 0; } const sorted = arr.sort(sortByDate); console.log(sorted);

Thank you Ganesh Sanap.谢谢 Ganesh Sanap。 sorting items by date field from old to new.按日期字段从旧到新排序项目。 Use it用它

 myArray = [{transport: "Air",
             load: "Vatican Vaticano",
             created: "01/31/2020"},
            {transport: "Air",
             load: "Paris",
             created: "01/30/2020"}] 

        myAarray.sort(function(a, b) {
            var c = new Date(a.created);
            var d = new Date(b.created);
            return c-d;
        });

Here is the shortest way to solve your problem.这是解决您的问题的最短方法。

  var array = [{id: 1, date: 'Mar 12 2012 10:00:00 AM'}, {id: 2, date: 'Mar 8 2012 08:00:00 AM'}];

  var sortedArray = array.sort((a,b) => Date.parse(new Date(a.date)) - Date.parse(new Date(b.date)));

For anyone who is wanting to sort by date (UK format), I used the following:对于想要按日期排序(英国格式)的人,我使用了以下内容:

//Sort by day, then month, then year
for(i=0;i<=2; i++){
    dataCourses.sort(function(a, b){

        a = a.lastAccessed.split("/");
        b = b.lastAccessed.split("/");

        return a[i]>b[i] ? -1 : a[i]<b[i] ? 1 : 0;
    }); 
}

I have just taken the Schwartzian transform depicted above and made as function.我刚刚采用了上面描述的Schwartzian 变换并将其作为函数。 It takes an array , the sorting function and a boolean as input:它需要一个array 、排序function和一个布尔值作为输入:

function schwartzianSort(array,f,asc){
    for (var i=array.length;i;){
      var o = array[--i];
      array[i] = [].concat(f.call(o,o,i),o);
    }
    array.sort(function(a,b){
      for (var i=0,len=a.length;i<len;++i){
        if (a[i]!=b[i]) return a[i]<b[i]?asc?-1:1:1;
      }
      return 0;
    });
    for (var i=array.length;i;){
      array[--i]=array[i][array[i].length-1];
    }
    return array;
  }

 function schwartzianSort(array, f, asc) { for (var i = array.length; i;) { var o = array[--i]; array[i] = [].concat(f.call(o, o, i), o); } array.sort(function(a, b) { for (var i = 0, len = a.length; i < len; ++i) { if (a[i] != b[i]) return a[i] < b[i] ? asc ? -1 : 1 : 1; } return 0; }); for (var i = array.length; i;) { array[--i] = array[i][array[i].length - 1]; } return array; } arr = [] arr.push({ date: new Date(1494434112806) }) arr.push({ date: new Date(1494434118181) }) arr.push({ date: new Date(1494434127341) }) console.log(JSON.stringify(arr)); arr = schwartzianSort(arr, function(o) { return o.date }, false) console.log("DESC", JSON.stringify(arr)); arr = schwartzianSort(arr, function(o) { return o.date }, true) console.log("ASC", JSON.stringify(arr));

If like me you have an array with dates formatted like YYYY[-MM[-DD]] where you'd like to order more specific dates before less specific ones, I came up with this handy function:如果像我一样你有一个日期格式YYYY[-MM[-DD]]的数组,你想在不太具体的日期之前订购更具体的日期,我想出了这个方便的函数:

function sortByDateSpecificity(a, b) {
  const aLength = a.date.length
  const bLength = b.date.length
  const aDate = a.date + (aLength < 10 ? '-12-31'.slice(-10 + aLength) : '')
  const bDate = b.date + (bLength < 10 ? '-12-31'.slice(-10 + bLength) : '')
  return new Date(aDate) - new Date(bDate)
}
["12 Jan 2018" , "1 Dec 2018", "04 May 2018"].sort(function(a,b) {
    return new Date(a).getTime() - new Date(b).getTime()
})

Thanks for those brilliant answers on top.感谢楼上那些精彩的回答。 I have thought a slightly complicated answer.我想到了一个稍微复杂的答案。 Just for those who want to compare different answers.只为那些想要比较不同答案的人。

const data = [
    '2-2018', '1-2018',
    '3-2018', '4-2018',
    '1-2019', '2-2019',
    '3-2019', '4-2019',
    '1-2020', '3-2020',
    '4-2020', '1-2021'
]

let eachYearUniqueMonth = data.reduce((acc, elem) => {
    const uniqueDate = Number(elem.match(/(\d+)\-(\d+)/)[1])
    const uniqueYear = Number(elem.match(/(\d+)\-(\d+)/)[2])


    if (acc[uniqueYear] === undefined) {
        acc[uniqueYear] = []        
    } else{    
       if (acc[uniqueYear]  && !acc[uniqueYear].includes(uniqueDate)) {
          acc[uniqueYear].push(uniqueDate)
      }
    }

    return acc;
}, {})


let group = Object.keys(eachYearUniqueMonth).reduce((acc,uniqueYear)=>{
    eachYearUniqueMonth[uniqueYear].forEach(uniqueMonth=>{
    acc.push(`${uniqueYear}-${uniqueMonth}`)
  })
  
  return acc;
},[])

console.log(group);   //["2018-1", "2018-3", "2018-4", "2019-2", "2019-3", "2019-4", "2020-3", "2020-4"]


Above answers are all good 😊, here is my implementation of sorting date in ES6 way, I'm using Date.parse (is global Date object) this will convert string representation of Date to number of milliseconds.上面的答案都很好😊,这是我以 ES6 方式对日期进行排序的实现,我正在使用Date.parse (是全局 Date 对象)这会将 Date 的字符串表示形式转换为毫秒数。 Instead of instantiating new Date object every time.而不是每次都实例化new Date对象。

var array = ["2021-08-10T07:24:30.087+0000" , "2021-09-30T07:24:30.087+0000", "2021-10-13T07:24:30.087+0000"];

// sorting with latest date
array.sort((a,b) => Date.parse(b) - Date.parse(a))

I have an array of objects in which key 'time' contains the date in ISO format我有一个对象数组,其中键“时间”包含ISO格式的日期

Example - 2021-12-24T11:02:20.370705示例 - 2021-12-24T11:02:20.370705

arr.sort(function(a,b){return a.time > b.time ? 1 : a.time < b.time ? -1 : 0 });

Above worked for me like a charm!以上对我来说就像一个魅力!

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM