2021-10-22 21:03:19 +02:00
|
|
|
import term
|
|
|
|
import rand
|
2019-06-24 14:58:47 +02:00
|
|
|
import time
|
2021-10-22 21:03:19 +02:00
|
|
|
|
|
|
|
const (
|
|
|
|
cell = '█'
|
|
|
|
nothing = ' '
|
|
|
|
switches = {
|
|
|
|
cell: nothing
|
|
|
|
nothing: cell
|
|
|
|
}
|
|
|
|
transformers = [nothing, cell]
|
|
|
|
)
|
|
|
|
|
|
|
|
struct Game {
|
|
|
|
mut:
|
|
|
|
grid [][]string
|
|
|
|
}
|
|
|
|
|
|
|
|
fn (g Game) get_surrounding_alive_count(x int, y int) int {
|
|
|
|
mut count := 0
|
|
|
|
for i := x - 1; i <= x + 1; i++ {
|
|
|
|
for j := y - 1; j <= y + 1; j++ {
|
|
|
|
if (i != x || j != y) && i >= 0 && j >= 0 && i < g.grid.len && j < g.grid[x].len {
|
|
|
|
if g.grid[i][j] == cell {
|
|
|
|
count++
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return count
|
|
|
|
}
|
|
|
|
|
|
|
|
fn (mut g Game) evolve() {
|
|
|
|
mut temp_grid := [][]string{}
|
|
|
|
for x in 0 .. g.grid.len {
|
|
|
|
temp_grid << []string{}
|
|
|
|
for y in 0 .. g.grid[x].len {
|
|
|
|
count := g.get_surrounding_alive_count(x, y)
|
|
|
|
if count == 3 || ((g.grid[x][y] == cell) && count == 2) {
|
|
|
|
temp_grid[x] << cell
|
|
|
|
} else {
|
|
|
|
temp_grid[x] << nothing
|
|
|
|
}
|
2019-06-24 14:58:47 +02:00
|
|
|
}
|
|
|
|
}
|
2021-10-22 21:03:19 +02:00
|
|
|
|
|
|
|
g.grid = temp_grid
|
|
|
|
}
|
|
|
|
|
|
|
|
fn (mut g Game) display() {
|
|
|
|
for y in 0 .. g.grid[0].len {
|
|
|
|
mut line := ''
|
|
|
|
for x in 0 .. g.grid.len {
|
|
|
|
line += g.grid[x][y]
|
|
|
|
}
|
|
|
|
println(line)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
fn new_game() Game {
|
|
|
|
w, h := term.get_terminal_size()
|
|
|
|
mut grid := [][]string{}
|
|
|
|
for x in 0 .. w {
|
|
|
|
grid << []string{}
|
|
|
|
for _ in 0 .. h {
|
|
|
|
is_live := rand.f64() > 0.82
|
|
|
|
icon := transformers[int(is_live)]
|
|
|
|
grid[x] << icon
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return Game{grid}
|
2019-06-24 14:58:47 +02:00
|
|
|
}
|
|
|
|
|
|
|
|
fn main() {
|
2021-10-22 21:03:19 +02:00
|
|
|
mut g := new_game()
|
|
|
|
|
|
|
|
g.display()
|
2019-06-24 14:58:47 +02:00
|
|
|
for {
|
2021-10-22 21:03:19 +02:00
|
|
|
g.evolve()
|
|
|
|
term.erase_clear()
|
|
|
|
g.display()
|
2021-02-27 18:41:06 +01:00
|
|
|
time.sleep(100 * time.millisecond)
|
2019-06-24 14:58:47 +02:00
|
|
|
}
|
|
|
|
}
|