Created
March 26, 2021 11:48
-
-
Save yavgel85/377b5a612b66a9a79df03be3d72f0686 to your computer and use it in GitHub Desktop.
bucketSort #js #algorithm
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
// Sorts an array of numbers, using the bucket sort algorithm. | |
// Use Math.min(), Math.max() and the spread operator (...) to find the minimum and maximum values of the given array. | |
// Use Array.from() and Math.floor() to create the appropriate number of buckets (empty arrays). | |
// Use Array.prototype.forEach() to populate each bucket with the appropriate elements from the array. | |
// Use Array.prototype.reduce(), the spread operator (...) and Array.prototype.sort() to sort each bucket and append it to the result. | |
const bucketSort = (arr, size = 5) => { | |
const min = Math.min(...arr); | |
const max = Math.max(...arr); | |
const buckets = Array.from( | |
{ length: Math.floor((max - min) / size) + 1 }, | |
() => [] | |
); | |
arr.forEach(val => { | |
buckets[Math.floor((val - min) / size)].push(val); | |
}); | |
return buckets.reduce((acc, b) => [...acc, ...b.sort((a, b) => a - b)], []); | |
}; | |
// Examples | |
bucketSort([6, 3, 4, 1]); // [1, 3, 4, 6] |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment