I'm going to write a function to sort any JSON with somehow any structure (just know it's an array of objects, e.g. a list of products) by using another object as its argument to determine which sorting is performed according to which key.
// The json that I get might looks like something like this.
// I just write one item of the array, but all of them are the same.
// But the blueprint of the items in each json are different.
const dataArray = [
{
id: 100,
name: 'product_1',
price: 99.95,
color: ['#fff', '#f0f', '#00f'],
category: ['cat_1', 'cat_2'],
booleanKey: true,
foo: {
foo1: 12,
foo2: 'string value',
foo3: {
foo3_1: 'string value',
foo3_2: 732.342
},
foo4: [
{
foo4_1_1: 853,
foo4_1_2: 24,
},
{
foo4_2_1: 'string value',
foo4_2_2: 435,
foo4_2_3: 25.35,
}
]
},
bar: {
bar1: {
bar1_1: 313,
bar1_2: 32.73
},
bar2: 75.3
}
}
];
// The function to sort the array
const sortData = obj => {
return dataArray.sort((a, b) => {
// Do something to return the correct value
});
}
// Sort array ascending by value 1, and descending by value -1
const result = sortData({foo: {foo3: {foo3_2: 1}}});
const anotherResult = sortData({bar: {bar2: -1}});
const anotherResult = sortData({price: 1});
Because I must write a function to sort any items with any structure, I have to use the obj they pass to me as the argument to sort the array base on that key of that object.
I found this solution so on:
// The sample array that be used from the other answer
const fooArray = [
{ foo1: { foo2: { foo3: 123 } } },
{ foo1: { foo2: { foo3: 987 } } },
{ foo1: { foo2: { foo3: 456 } } },
{ foo1: { foo2: { foo3: 789 } } },
{ foo1: { foo2: { foo3: 321 } } },
{ foo1: { foo2: { foo3: 654 } } }
];
const sortData = obj => {
const pathArray = [];
while(typeof(obj) == 'object') {
pathArray.push(Object.keys(obj)[0]);
obj = obj[pathArray[pathArray.length - 1]];
}
const order = obj;
return fooArray.sort((a, b) => {
for(let pathKey of pathArray) {
a = a[pathKey];
b = b[pathKey];
}
return (a - b) * order;
});
}
const foo = sortData({ foo1: { foo2: { foo3: 1 } } });
Any other recommendation or idea?