Based on this excellent tutorial I would like to develop Vlad Bezden answer and explain why localeCompare
is better than standard comarison method like strA > strB
. Lets run this example
console.log( 'Österreich' > 'Zealand' ); // We expect false
console.log( 'a' > 'Z' ); // We expect false
_x000D_
The reason is that in JS all strings are encoded using UTF-16 and
let str = '';
// order of characters in JS
for (let i = 65; i <= 220; i++) {
str += String.fromCodePoint(i); // code to character
}
console.log(str);
_x000D_
Capital letters go first (have small codes) and then go small letters and then go character Ö
(after z
). This is reason why we get true in first snippet - becasue operator >
compare characters codes.
As you can see compare characters in diffrent languages is non trivial task - but luckily, modern browsers support the internationalization standard ECMA-402. So in JS we have strA.localeCompare(strB)
which do the job (-1
means strA
is less than strB
; 1 means opposite; 0 means equal)
console.log( 'Österreich'.localeCompare('Zealand') ); // We expect -1
console.log( 'a'.localeCompare('Z') ); // We expect -1
_x000D_
I would like to add that localeCompare
supports two parameters: language and additional rules
var objs = [
{ first_nom: 'Lazslo', last_nom: 'Jamf' },
{ first_nom: 'Pig', last_nom: 'Bodine' },
{ first_nom: 'Pirate', last_nom: 'Prentice' },
{ first_nom: 'Test', last_nom: 'jamf' }
];
objs.sort((a,b)=> a.last_nom.localeCompare(b.last_nom,'en',{sensitivity:'case'}))
console.log(objs);
// in '>' comparison 'Jamf' will NOT be next to 'jamf'
_x000D_