Last active
January 18, 2019 08:15
-
-
Save ger86/bddeec521e974338623b2529566c5bf1 to your computer and use it in GitHub Desktop.
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
| const defaultSortingAlgorithm = (a, b) => { | |
| if (a < b) { | |
| return -1; | |
| } | |
| if (a > b) { | |
| return 1; | |
| } | |
| return 0; | |
| }; | |
| const quickSort = ( | |
| unsortedArray, | |
| sortingAlgorithm = defaultSortingAlgorithm | |
| ) => { | |
| // immutable version | |
| const sortedArray = [...unsortedArray]; | |
| const swapArrayElements = (arrayToSwap, i, j) => { | |
| const a = arrayToSwap[i]; | |
| arrayToSwap[i] = arrayToSwap[j]; | |
| arrayToSwap[j] = a; | |
| }; | |
| const partition = (arrayToDivide, start, end) => { | |
| const pivot = arrayToDivide[end]; | |
| let splitIndex = start; | |
| for (let j = start; j <= end - 1; j++) { | |
| const sortValue = sortingAlgorithm(arrayToDivide[j], pivot); | |
| if (sortValue === -1) { | |
| swapArrayElements(arrayToDivide, splitIndex, j); | |
| splitIndex++; | |
| } | |
| } | |
| swapArrayElements(arrayToDivide, splitIndex, end); | |
| return splitIndex; | |
| }; | |
| // Recursively sort sub-arrays. | |
| const recursiveSort = (arraytoSort, start, end) => { | |
| // stop condition | |
| if (start < end) { | |
| const pivotPosition = partition(arraytoSort, start, end); | |
| recursiveSort(arraytoSort, start, pivotPosition - 1); | |
| recursiveSort(arraytoSort, pivotPosition + 1, end); | |
| } | |
| }; | |
| // Sort the entire array. | |
| recursiveSort(sortedArray, 0, unsortedArray.length - 1); | |
| return sortedArray; | |
| }; |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment