Here is the json
data in which the quarter
is in descending
order. I would like to maintain the descending order of quarter
always. How do I sort by value
or dateCreated
?
JavaScript
x
15
15
1
data = [
2
{ id: 0, quarter: 4, category: 'Apple', value: 5, dateCreated: "12:00:00 10/15/2019" },
3
{ id: 1, quarter: 4, category: 'Orange', value: 2, dateCreated: "12:00:00 10/10/2019" },
4
{ id: 3, quarter: 4, category: 'Pear', value: 9, dateCreated: "12:00:00 01/21/2019" },
5
6
{ id: 4, quarter: 3, category: 'Apple', value: 4, dateCreated: "12:00:00 01/08/2019" },
7
{ id: 5, quarter: 3, category: 'Orange', value: 9, dateCreated: "12:00:00 01/09/2019" },
8
{ id: 6, quarter: 3, category: 'Pear', value: 2, dateCreated: "12:00:00 01/07/2016" },
9
10
{ id: 7, quarter: 2, category: 'Apple', value: 6, dateCreated: "12:00:00 01/05/2019" },
11
{ id: 8, quarter: 2, category: 'Orange', value: 5, dateCreated: "12:00:00 01/04/2019" },
12
{ id: 9, quarter: 2, category: 'Pear', value: 7, dateCreated: "12:00:00 01/06/2019" },
13
];
14
15
Advertisement
Answer
You can create your own reusable sort function:
JavaScript
1
27
27
1
// Minified for less cluttering, but the same Array as you have
2
var data=[{id:0,quarter:4,category:"Apple",value:5,dateCreated:"12:00:00 10/15/2019"},{id:1,quarter:4,category:"Orange",value:2,dateCreated:"12:00:00 10/10/2019"},{id:3,quarter:4,category:"Pear",value:9,dateCreated:"12:00:00 01/21/2019"},{id:4,quarter:3,category:"Apple",value:4,dateCreated:"12:00:00 01/08/2019"},{id:5,quarter:3,category:"Orange",value:9,dateCreated:"12:00:00 01/09/2019"},{id:6,quarter:3,category:"Pear",value:2,dateCreated:"12:00:00 01/07/2016"},{id:7,quarter:2,category:"Apple",value:6,dateCreated:"12:00:00 01/05/2019"},{id:8,quarter:2,category:"Orange",value:5,dateCreated:"12:00:00 01/04/2019"},{id:9,quarter:2,category:"Pear",value:7,dateCreated:"12:00:00 01/06/2019"}];
3
4
function customSort(array, props, direction) {
5
array.sort(function (a, b) {
6
if (direction === 'asc') {
7
// Swap the two items
8
var tmp = b;
9
b = a;
10
a = tmp;
11
}
12
for (var i = 0; i < props.length; i++) {
13
if (a[props[i]] < b[props[i]]) return 1;
14
if (a[props[i]] > b[props[i]]) return -1;
15
}
16
return 0;
17
});
18
}
19
20
customSort(data, ['quarter', 'value'], 'desc');
21
console.log(data);
22
23
customSort(data, ['quarter', 'dateCreated'], 'desc');
24
console.log(data);
25
26
customSort(data, ['quarter'], 'asc');
27
console.log(data);