xxxxxxxxxx
80
class Cell {
constructor(x=0, y=0, state=0) {
this.setPosition(x, y);
this.setState(state);
}
setPosition(x, y) {
this.x = x;
this.y = y;
}
setState(state) {
this.state = state;
}
}
class Grid {
constructor(columns, rows, scale) {
this.dimensions = [columns, rows];
this.squareSide = scale;
this.blank();
}
blank() {
this.cells = [];
for (let x = 0; x < this.dimensions[0]; x++) {
this.cells.push([]);
for (let y = 0; y < this.dimensions[1]; y++) {
this.cells[x].push(new Cell(x, y));
}
}
}
show() {
let currentCell;
stroke(80);
strokeWeight(2);
for (let x = 0; x < this.dimensions[0]; x++) {
for (let y = 0; y < this.dimensions[1]; y++) {
currentCell = this.cells[x][y];
fill(255 - currentCell.state * 255);
rect(currentCell.x * this.squareSide, currentCell.y * this.squareSide, this.squareSide, this.squareSide);
}
}
}
update() {
let
neighborsStates,
aliveNeighbors;
for (let x = 0; x < this.dimensions[0]; x++) {
for (let y = 0; y < this.dimensions[1]; y++) {
neighborsStates = this.neighborsStates(x, y);
aliveNeighbors = 0;
for (let i = 0; i < neighborsStates.length; i++) {
//if (neighborsStates[i]) aliveNeighbors++;
}
if (aliveNeighbors > 2 || aliveNeighbors < 3) this.setCellState(x, y, 1);
else this.setCellState(x, y, 0);
print();
}
}
}
neighborsStates(x, y) {
let states = [];
for (let dx = -1; dx < 2; dx++) {
for (let dy = -1; dy < 2; dy++) {
if (x + dx > 0 && y + dy > 0 && x + dx < this.dimensions[0] && y + dy < this.dimensions[1] && (dx !== 0 || dy !== 0)) states.push(this.cells[x + dx][y + dy].state);
}
}
return states;
}
detectCellHovered() {
return [floor(mouseX / this.squareSide), floor(mouseY / this.squareSide)];
}
getCellState(x, y) {
return this.cells[x][y].state;
}
setCellState(x, y, state) {
this.cells[x][y].state = state;
}
toggleCellState(x, y) {
this.cells[x][y].state = 1 - this.cells[x][y].state;
}
}