Files
JavaScript/Sorts/BeadSort.js
Roland Hummel 86d333ee94 feat: Test running overhaul, switch to Prettier & reformat everything (#1407)
* chore: Switch to Node 20 + Vitest

* chore: migrate to vitest mock functions

* chore: code style (switch to prettier)

* test: re-enable long-running test

Seems the switch to Node 20 and Vitest has vastly improved the code's and / or the test's runtime!

see #1193

* chore: code style

* chore: fix failing tests

* Updated Documentation in README.md

* Update contribution guidelines to state usage of Prettier

* fix: set prettier printWidth back to 80

* chore: apply updated code style automatically

* fix: set prettier line endings to lf again

* chore: apply updated code style automatically

---------

Co-authored-by: github-actions <${GITHUB_ACTOR}@users.noreply.github.com>
Co-authored-by: Lars Müller <34514239+appgurueu@users.noreply.github.com>
2023-10-04 02:38:19 +05:30

57 lines
1.4 KiB
JavaScript

/**
* Bead Sort, also known as Gravity sort.
*
* This algorithm was inspired from natural phenomena and was designed keeping in mind objects (or beads) falling under
* the influence of gravity.
*
* NOTE: It only works for arrays of positive integers.
*
* Wikipedia: https://en.wikipedia.org/wiki/Bead_sort
*/
export function beadSort(sequence) {
/* Let's ensure our sequence has only Positive Integers */
if (sequence.some((integer) => integer < 0)) {
throw RangeError('Sequence must be a list of Positive integers Only!')
}
const sequenceLength = sequence.length
const max = Math.max(...sequence)
// Set initial Grid
const grid = sequence.map((number) => {
const maxArr = new Array(max)
for (let i = 0; i < number; i++) {
maxArr[i] = '*'
}
return maxArr
})
// Drop the Beads!
for (let col = 0; col < max; col++) {
let beadsCount = 0
for (let row = 0; row < sequenceLength; row++) {
if (grid[row][col] === '*') {
beadsCount++
}
}
for (let row = sequenceLength - 1; row > -1; row--) {
if (beadsCount) {
grid[row][col] = '*'
beadsCount--
} else {
grid[row][col] = undefined
}
}
}
/* Finally, let's turn our Bead rows into their Respective Numbers */
return grid.map((beadArray) => {
const beadsArray = beadArray.filter((bead) => bead === '*')
return beadsArray.length
})
}