Николина обнови решението на 24.03.2012 17:01 (преди почти 13 години)
+#!/usr/bin/env python3
+import os
+import time
+from random import Random
+
+BOARD_SIZE = 48
+
+
+def print_board(board, wait=False, sleep=False):
+ os.system(['clear', 'cls'][os.name == 'nt'])
+ print('=' * (BOARD_SIZE + 2), end='|\n')
+ for row in board:
+ print(*['X' if x else ' ' for x in row], end=' |\n', sep='')
+
+ print([[x & 1 for x in row] for row in board])
+ input("Press enter to continue.")
+
+
+def create_board(fill_rate=0.3):
+ rand = Random()
+ return [[int(x and x != BOARD_SIZE + 1 and y and y != BOARD_SIZE + 1
+ and rand.normalvariate(0.5, 0.2) < fill_rate) for x in range(0, BOARD_SIZE + 2)] for y in range(0, BOARD_SIZE + 2)]
+
+
+def step_board(board):
+
+ a = [list(row) for row in board]
+ for i in range(1, BOARD_SIZE + 1):
+ for j in range(1, BOARD_SIZE + 1):
+ s = a[i-1][j-1] + a[i-1][j] + a[i-1][j+1] + a[i][j-1] + a[i][j+1] + a[i+1][j-1] + a[i+1][j] + a[i+1][j+1]
+ if a[i][j] == 0 and s == 3:
+ board[i][j] = 1
+ elif a[i][j] == 1 and s not in [2, 3]:
+ board[i][j] = 0
+
+
+if __name__ == '__main__':
+ board = create_board()
+ while True:
+ step_board(board)
+ print_board(board)
+
+"""
+# Test for size 3
+# in solution BOARD_SIZE must be set to 3 for this test
+import unittest
+from solution import step_board
+
+class GameOfLifeTestCase(unittest.TestCase):
+
+ def test_step_board(self):
+ board = [[0,0,0,0,0],[0,0,1,0,0],[0,1,1,0,0],[0,0,0,0,0],[0,0,0,0,0]]
+ step_board(board)
+ self.assertEqual(board,[[0,0,0,0,0],[0,1,1,0,0],[0,1,1,0,0],[0,0,0,0,0],[0,0,0,0,0]])
+ step_board(board)
+ self.assertEqual(board,[[0,0,0,0,0],[0,1,1,0,0],[0,1,1,0,0],[0,0,0,0,0],[0,0,0,0,0]])
+
+ # blinker
+ board = [[0,0,0,0,0],[0,0,0,0,0],[0,1,1,1,0],[0,0,0,0,0],[0,0,0,0,0]]
+ step_board(board)
+ self.assertEqual(board,[[0,0,0,0,0],[0,0,1,0,0],[0,0,1,0,0],[0,0,1,0,0],[0,0,0,0,0]])
+ step_board(board)
+ self.assertEqual(board,[[0,0,0,0,0],[0,0,0,0,0],[0,1,1,1,0],[0,0,0,0,0],[0,0,0,0,0]])
+
+
+if __name__ == "__main__":
+ unittest.main()
+"""