Come ordinare un array in base a una proprietà date


698

Supponiamo di avere una serie di alcuni oggetti:

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

Come posso ordinare questo array in base all'elemento della data in ordine dalla data più vicina alla data e all'ora correnti in basso? Tieni presente che l'array può avere molti oggetti, ma per semplicità ho usato 2.

Userei la funzione di ordinamento e un comparatore personalizzato?

AGGIORNARE:

Nel mio caso specifico, volevo le date organizzate dal più recente al più vecchio. Alla fine ho dovuto invertire la logica della funzione semplice in questo modo:

array.sort(function(a, b) {
    a = new Date(a.dateModified);
    b = new Date(b.dateModified);
    return a>b ? -1 : a<b ? 1 : 0;
});

Questo ordina le date dalla più recente.


Se si utilizza Data costruttore, controllare questo primo stackoverflow.com/questions/5619202/...
ohkts11

il modo più rapido è utilizzare il modulo di ordinamento-array isomorfo che funziona nativamente sia nel browser che nel nodo, supportando qualsiasi tipo di input, campi calcolati e ordinamenti personalizzati.
Lloyd,

Risposte:


1403

Risposta più semplice

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);
});

Risposta più generica

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

O più tersamente:

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

Risposta generica e potente

Definire una sortByfunzione non enumerabile personalizzata usando una trasformazione di Schwartz su tutti gli array:

(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;
  }
})();

Usalo così:

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

Se la tua data non è direttamente comparabile, creane una paragonabile, ad es

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

Puoi anche usarlo per ordinare in base a più criteri se restituisci una matrice di valori:

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

Vedi http://phrogz.net/JS/Array.prototype.sortBy.js per maggiori dettagli.


2
Perché semplicemente non return b-a;nella risposta semplice?
corbacho,

19
Non è consigliabile creare nuovi oggetti Date all'interno del metodo di ordinamento. Hanno colpito i problemi di prestazioni di produzione appositamente per questo motivo. Non allocare memoria (e GC) all'interno di un metodo di ordinamento.
MikeMurko,

4
la prima sintassi, ad esempio, fornisce un errore su angular7: il lato sinistro di un'operazione aritmetica deve essere di tipo 'any', 'number', 'bigint' o un tipo enum
SURENDRANATH SONAWANE

1
@MikeMurko cosa hai fatto per risolverlo?
Sireini,

@SURENDRANATHSONAWANE convertire la data in Unix Timestamp: restituire nuova data (b.date) .getTime () - new Date (a.date) .getTime ();
Robert Ostrowicki,

147

Le risposte di @Phrogz sono entrambe fantastiche, ma ecco una risposta fantastica, più concisa:

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

Usando il modo funzione freccia

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

trovato qui: ordina la data in Javascript


15
Fare direttamente la matematica a - bfunzionerebbe anche. Quindi, array.sort((a, b) => a - b)(es6)
yckart il

Questa è una buona soluzione quando si utilizza Typescript.
maartenpaauw,

72

Dopo aver corretto JSON, questo dovrebbe funzionare ora per te:

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;
});

45

I tuoi dati necessitano di alcune correzioni:

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

Dopo aver corretto i dati, è possibile utilizzare questo codice:

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);​


Per chiunque utilizzasse Typescript, sono stato in grado di ordinare per data usando questa funzione, mentre gli altri usando la sottrazione data non sono riusciti.
Danchat

24

Raccomando GitHub: Array sortBy - una migliore implementazione del sortBymetodo che utilizza la trasformata di Schwartz

Ma per ora proveremo questo approccio Gist: sortBy-old.js .
Creiamo un metodo per ordinare le matrici potendo disporre gli oggetti in base a qualche proprietà.

Creazione della funzione di ordinamento

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));
    });
  };

}());

Impostazione di dati non ordinati

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"}
];

Usandolo

Infine, organizziamo l'array, per "date"proprietà asstring

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

Se si desidera ignorare il maiuscolo / minuscolo, impostare il "parser"callback:

//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();
    }
});

Se si desidera trattare il campo "data" come Datetipo:

//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);
    }
});

Qui puoi giocare con l'esempio sopra:
jsbin.com/lesebi


1
IE11 ha avuto un problema con la linea: if (toString.call (cfg)! == "[oggetto Object]") cfg = {}; Se lo sostituisci con if (Object.prototype.toString.call (cfg)! == "[Object object]") cfg = {}; starai bene anche con IE11.
skribbz14,

1
Ottima soluzione
Moses Machua

14

Ciò dovrebbe avvenire quando la data è in questo formato (gg / mm / aaaa).

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

    return arr;
  }

Quindi chiama sortByDate(myArr);


12

È possibile utilizzare sortBy per il carattere di sottolineatura js.

http://underscorejs.org/#sortBy

Campione:

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'));

Modo perfetto e più breve per farlo!
Bhavik Kalariya,

8

Ho intenzione di aggiungere questo qui, poiché alcuni usi potrebbero non essere in grado di capire come invertire questo metodo di ordinamento.

Per ordinare in base a "coming up", possiamo semplicemente scambiare a & b, in questo modo:

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

Si noti che aora si trova sul lato sinistro ed bè sul lato destro: D!


7

Personalmente uso il seguente approccio per ordinare le date.

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;
})

6

sono stato in grado di ottenere l'ordinamento utilizzando le righe seguenti:

array.sort(function(a, b)
{
   if (a.DueDate > b.DueDate) return 1;
   if (a.DueDate < b.DueDate) return -1;
})

5
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)) 
});

2

Per chiunque desideri ordinare per data (formato UK), ho utilizzato quanto segue:

//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;
    }); 
}

2

Ho appena preso la trasformazione di Schwartz rappresentata sopra e resa funzionale. Ci vuole un array, l'ordinamento functione un valore booleano come input:

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));


2

Grazie Ganesh Sanap. ordinare gli articoli per data campo dal vecchio al nuovo. Usalo

 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;
        });

1
Qual è il motivo meno?
Янов Алексей

2

Se come me hai un array con date formattate come YYYY[-MM[-DD]]dove desideri ordinare date più specifiche prima di quelle meno specifiche, ho trovato questa pratica funzione:

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)
}

0
["12 Jan 2018" , "1 Dec 2018", "04 May 2018"].sort(function(a,b) {
    return new Date(a).getTime() - new Date(b).getTime()
})

Spiegare brevemente la risposta e controllare la formattazione del codice.
dthulke,

Fallirà per le vecchie date.
Oliver Dixon,
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.