Ho apportato alcune informazioni su research riguardo al confronto delle prestazioni degli algoritmi di ordinamento Javascript e ho trovato risultati imprevisti. Bubble sort ha fornito prestazioni molto migliori di altri come Shell sort, Quick sort e una funzionalità Javascript nativa. Perché succede? Forse mi sbaglio nel mio metodo di test delle prestazioni?Perché l'implementazione Javascript di Bubble sort è molto più veloce di altri algoritmi di ordinamento?
È possibile trovare i risultati della ricerca here.
Ecco alcuni esempi di implementazione dell'algoritmo:
/**
* Bubble sort(optimized)
*/
Array.prototype.bubbleSort = function()
{
var n = this.length;
do {
var swapped = false;
for (var i = 1; i < n; i++) {
if (this[i - 1] > this[i]) {
var tmp = this[i-1];
this[i-1] = this[i];
this[i] = tmp;
swapped = true;
}
}
} while (swapped);
}
/**
* Quick sort
*/
Array.prototype.quickSort = function()
{
if (this.length <= 1)
return this;
var pivot = this[Math.round(this.length/2)];
return this.filter(function (x) { return x < pivot }).quickSort().concat(
this.filter(function (x) { return x == pivot })).concat(
this.filter(function (x) { return x > pivot }).quickSort());
}
Penso che chiamare 'filter', altri' quickSort' e 'concat' rendano quickSort estremamente più lento. – JiminP