Version un peu plus courte de la même chose utilisant des fonctionnalités ES2017 telles que les fonctions fléchées et la déstructuration:
Fonction
var stableSort = (arr, compare) => arr
.map((item, index) => ({item, index}))
.sort((a, b) => compare(a.item, b.item) || a.index - b.index)
.map(({item}) => item)
Il accepte le tableau d'entrée et la fonction de comparaison:
stableSort([5,6,3,2,1], (a, b) => a - b)
Il retourne également un nouveau tableau au lieu de faire un tri sur place comme le Array.sort () intégré fonction intégrée.
Tester
Si nous prenons le input
tableau suivant , initialement trié par weight
:
// sorted by weight
var input = [
{ height: 100, weight: 80 },
{ height: 90, weight: 90 },
{ height: 70, weight: 95 },
{ height: 100, weight: 100 },
{ height: 80, weight: 110 },
{ height: 110, weight: 115 },
{ height: 100, weight: 120 },
{ height: 70, weight: 125 },
{ height: 70, weight: 130 },
{ height: 100, weight: 135 },
{ height: 75, weight: 140 },
{ height: 70, weight: 140 }
]
Puis triez-le en height
utilisant stableSort
:
stableSort(input, (a, b) => a.height - b.height)
Résulte en:
// Items with the same height are still sorted by weight
// which means they preserved their relative order.
var stable = [
{ height: 70, weight: 95 },
{ height: 70, weight: 125 },
{ height: 70, weight: 130 },
{ height: 70, weight: 140 },
{ height: 75, weight: 140 },
{ height: 80, weight: 110 },
{ height: 90, weight: 90 },
{ height: 100, weight: 80 },
{ height: 100, weight: 100 },
{ height: 100, weight: 120 },
{ height: 100, weight: 135 },
{ height: 110, weight: 115 }
]
Cependant, trier le même input
tableau en utilisant le intégré Array.sort()
(dans Chrome / NodeJS):
input.sort((a, b) => a.height - b.height)
Retour:
var unstable = [
{ height: 70, weight: 140 },
{ height: 70, weight: 95 },
{ height: 70, weight: 125 },
{ height: 70, weight: 130 },
{ height: 75, weight: 140 },
{ height: 80, weight: 110 },
{ height: 90, weight: 90 },
{ height: 100, weight: 100 },
{ height: 100, weight: 80 },
{ height: 100, weight: 135 },
{ height: 100, weight: 120 },
{ height: 110, weight: 115 }
]
Ressources
Mettre à jour
Array.prototype.sort
est désormais stable dans V8 v7.0 / Chrome 70!
Auparavant, V8 utilisait un QuickSort instable pour les tableaux de plus de 10 éléments. Maintenant, nous utilisons l'algorithme stable TimSort.
la source