Versión algo más corta de lo mismo con funciones de ES2017 como funciones de flecha y desestructuración:
Función
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)
Acepta matriz de entrada y función de comparación:
stableSort([5,6,3,2,1], (a, b) => a - b)
También devuelve una nueva matriz en lugar de realizar una ordenación en el lugar como el Array.sort () incorporado .
Prueba
Si tomamos la siguiente input
matriz, inicialmente ordenada por 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 }
]
Luego ordénelo height
usando stableSort
:
stableSort(input, (a, b) => a.height - b.height)
Resultados 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 }
]
Sin embargo, ordenando la misma input
matriz usando el incorporado Array.sort()
(en Chrome / NodeJS):
input.sort((a, b) => a.height - b.height)
Devoluciones:
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 }
]
Recursos
Actualizar
Array.prototype.sort
ahora es estable en V8 v7.0 / Chrome 70!
Anteriormente, V8 usaba un QuickSort inestable para arreglos con más de 10 elementos. Ahora, usamos el algoritmo estable TimSort.
fuente