Last active
September 14, 2024 10:41
-
-
Save CraigRodrigues/c646c015a9ecc9e18d5c555eb972acaf to your computer and use it in GitHub Desktop.
Bubble Sort in Javascript
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// Normal | |
const bubbleSort = function(array) { | |
let swaps; | |
do { | |
swaps = false; | |
for (let i = 0; i < array.length - 1; i++) { | |
if (array[i] > array[i + 1]) { | |
let temp = array[i + 1]; | |
array[i + 1] = array[i]; | |
array[i] = temp; | |
swaps = true; | |
} | |
} | |
} while (swaps); | |
return array; | |
}; | |
// Recursively | |
const bubbleSort = function (array, pointer = array.length - 1) { | |
// Base Case | |
if (pointer === 0) { | |
return array; | |
} | |
for (let i = 0; i < pointer; i++) { | |
if (array[i] > array[i + 1]) { | |
let temp = array[i + 1]; | |
array[i + 1] = array[i]; | |
array[i] = temp; | |
} | |
} | |
// Recursive call on smaller portion of the array | |
return bubbleSort(array, pointer - 1); | |
}; |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
@luckyguy73 try this