Versione un po 'più breve della stessa cosa utilizzando le funzionalità di ES2017 come le funzioni freccia e la destrutturazione:
Funzione
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)
Accetta array di input e funzioni di confronto:
stableSort([5,6,3,2,1], (a, b) => a - b)
Restituisce anche un nuovo array invece di effettuare un ordinamento sul posto come la funzione Array.sort () incorporata.
Test
Se prendiamo il seguente input
array, inizialmente ordinato per 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 }
]
Quindi ordinalo height
usando stableSort
:
stableSort(input, (a, b) => a.height - b.height)
Risultati in:
// 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 }
]
Tuttavia, ordinamento dello stesso input
array utilizzando il built-in Array.sort()
(in Chrome / NodeJS):
input.sort((a, b) => a.height - b.height)
Ritorna:
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 }
]
risorse
Aggiornare
Array.prototype.sort
è ora stabile in V8 v7.0 / Chrome 70!
In precedenza, V8 utilizzava un QuickSort instabile per array con più di 10 elementi. Ora usiamo l'algoritmo TimSort stabile.
fonte