Last active
May 28, 2022 02:26
-
-
Save igordonin/c890b92b0ec84444953f88cb4aeaa884 to your computer and use it in GitHub Desktop.
Spiral algorithm
This file contains 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
// matrix(5) | |
// [[1, 2, 3, 4, 5], | |
// [16, 17, 18, 19, 6], | |
// [15, 24, 25, 20, 7], | |
// [14, 23, 22, 21, 8], | |
// [13, 12, 11, 10, 9]] | |
function Position(n) { | |
this.row = 0; | |
this.column = 0; | |
this.next; | |
this.boundaries = { | |
row: { | |
lower: 0, | |
upper: n, | |
}, | |
column: { | |
lower: 0, | |
upper: n, | |
}, | |
}; | |
this.moveRight = function () { | |
this.column++; | |
if (this.column === this.boundaries.column.upper - 1) { | |
this.next = this.moveDown; | |
} | |
}; | |
this.moveDown = function () { | |
this.row++; | |
if (this.row === this.boundaries.row.upper - 1) { | |
this.next = this.moveLeft; | |
} | |
}; | |
this.moveLeft = function () { | |
this.column--; | |
if (this.column === this.boundaries.column.lower) { | |
this.next = this.moveUp; | |
} | |
}; | |
this.moveUp = function () { | |
this.row--; | |
if (this.row === this.boundaries.row.lower) { | |
// reduce upper bounds | |
this.boundaries.row.upper--; | |
this.boundaries.column.upper--; | |
// increase lower bounds and reset current position | |
this.row = ++this.boundaries.row.lower; | |
this.column = ++this.boundaries.column.lower; | |
this.next = this.moveRight; | |
} | |
}; | |
this.get = function () { | |
return { row: this.row, column: this.column }; | |
}; | |
this.move = function () { | |
if (!this.next) { | |
this.next = this.moveRight; | |
} | |
this.next(); | |
}; | |
} | |
function matrix(n) { | |
const maxCounter = n * n; | |
const myPosition = new Position(n); | |
const matrix = Array(n) | |
.fill(null) | |
.map(() => Array(n)); | |
for (let counter = 0; counter < maxCounter; counter++) { | |
const pos = myPosition.get(); | |
matrix[pos.row][pos.column] = counter + 1; | |
myPosition.move(); | |
} | |
return matrix; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment