I have done some research about Javascript sorting algorithms performance parison, and found unexpected results. Bubble sort provided much better performance than others such as Shell sort, Quick sort and a native Javascript functionality. Why does this happen? Maybe I'm wrong in my performance testing method?
You can find my research results here.
Here are some algorithm implementation examples:
/**
* 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());
}
I have done some research about Javascript sorting algorithms performance parison, and found unexpected results. Bubble sort provided much better performance than others such as Shell sort, Quick sort and a native Javascript functionality. Why does this happen? Maybe I'm wrong in my performance testing method?
You can find my research results here.
Here are some algorithm implementation examples:
/**
* 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());
}
Share
Improve this question
edited Oct 8, 2011 at 14:08
Lee Quarella
4,7425 gold badges44 silver badges68 bronze badges
asked Oct 8, 2011 at 11:35
Dmitry BalabkaDmitry Balabka
1731 silver badge9 bronze badges
1
-
1
I think calling
filter
, otherquickSort
andconcat
makes quickSort extremely slower. – JiminP Commented Oct 8, 2011 at 11:44
1 Answer
Reset to default 13That's because bubble sort is faster when you are sorting an array that is already sorted.
As you are sorting the same array over and over, it will be sorted in the first iteration in the first test, after that you are sorting an array that is already sorted.
To test the actual performance of sorting an array that is not already sorted, you have to create a new array for each sort iteration.