I am trying to reorder an array by two conditions. Making sure that Pos 10
goes after single digits and that it follows a specific order after that.
I tried to give priority to the string that includes first
but then if I want to order alphanumerically it resets A to the top. How could I optain the expected result?
JavaScript
x
35
35
1
const arr = [
2
'Pos 10 second',
3
'Pos 10 A third',
4
'Pos 10 first',
5
'Pos 1 second',
6
'Pos 1 A third',
7
'Pos 1 first',
8
'Pos 2 second',
9
'Pos 2 A third',
10
'Pos 2 first',
11
]
12
13
const res = arr.sort((a, b) => {
14
if (a.includes('first')) {
15
return -1
16
} else {
17
return 1
18
}
19
20
}).sort((a, b) => a.localeCompare(b, 'en', { numeric: true}))
21
22
console.log(res)
23
24
/* Expected output
25
[
26
'Pos 1 first',
27
'Pos 1 second',
28
'Pos 1 A third',
29
'Pos 2 first',
30
'Pos 2 second',
31
'Pos 2 A third',
32
'Pos 10 first',
33
'Pos 10 second',
34
'Pos 10 A third'
35
] */
Advertisement
Answer
For the second sort use match
on numbers within the string value, converted to Number
.
JavaScript
1
15
15
1
const sorted = [
2
'Pos 10 second',
3
'Pos 10 A third',
4
'Pos 10 first',
5
'Pos 1 second',
6
'Pos 1 A third',
7
'Pos 1 first',
8
'Pos 2 second',
9
'Pos 2 A third',
10
'Pos 2 first',
11
]
12
.sort((a, b) => a.includes(`first`) ? -1 : 1)
13
.sort((a, b) => +a.match(/d+/) - +b.match(/d+/));
14
document.querySelector(`pre`).textContent =
15
JSON.stringify(sorted, null, 2);
JavaScript
1
1
1
<pre></pre>