我學習生活的康威的遊戲來實現它在我自己的,和整個以下實現的規則來:Java:如何實施康威的人生遊戲?
由N個單元給定板有m個,每個單元都有活的初始狀態(1)或死(0)。
- 少於兩隻活鄰居的活細胞死亡,彷彿引起下:每個單元有八個鄰國(水平,垂直,對角線)採用以下四個規則(從上面的維基百科文章所)相互作用-人口。
- 任何有兩個或三個活着的鄰居的活細胞都活在下一代。
- 三個以上的活鄰居的活細胞死亡,彷彿被過度人口..
- 正好與三隻活鄰居的死細胞變活細胞,彷彿再現。
而實現(https://discuss.leetcode.com/topic/29054/easiest-java-solution-with-explanation):
public void gameOfLife(int[][] board) {
if (board == null || board.length == 0) return;
int m = board.length, n = board[0].length;
for (int i = 0; i < m; i++) {
for (int j = 0; j < n; j++) {
int lives = liveNeighbors(board, m, n, i, j);
// In the beginning, every 2nd bit is 0;
// So we only need to care about when will the 2nd bit become 1.
if (board[i][j] == 1 && lives >= 2 && lives <= 3) {
board[i][j] = 3; // Make the 2nd bit 1: 01 ---> 11
}
if (board[i][j] == 0 && lives == 3) {
board[i][j] = 2; // Make the 2nd bit 1: 00 ---> 10
}
}
}
for (int i = 0; i < m; i++) {
for (int j = 0; j < n; j++) {
board[i][j] >>= 1; // Get the 2nd state.
}
}
}
public int liveNeighbors(int[][] board, int m, int n, int i, int j) {
int lives = 0;
for (int x = Math.max(i - 1, 0); x <= Math.min(i + 1, m - 1); x++) {
for (int y = Math.max(j - 1, 0); y <= Math.min(j + 1, n - 1); y++) {
lives += board[x][y] & 1;
}
}
lives -= board[i][j] & 1;
return lives;
}
和驅動器:
public static void main(String args[]) {
GameOfLife gl = new GameOfLife();
int[][] board = {
{0, 0, 0, 0, 0, 0, 0, 0, 0},
{0, 0, 0, 1, 0, 0, 0, 0, 0},
{0, 1, 0, 1, 0, 0, 0, 0, 0},
{0, 0, 1, 1, 0, 0, 0, 0, 0},
{0, 0, 0, 0, 0, 0, 0, 0, 0},
{0, 0, 0, 0, 0, 0, 0, 0, 0},
{0, 0, 0, 0, 0, 0, 0, 0, 0},
{0, 0, 0, 0, 0, 0, 0, 0, 0},
{0, 0, 0, 0, 0, 0, 0, 0, 0}
};
gl.gameOfLife(board);
}
我的問題是,怎樣做liveNeighbors()
的x
和y
代表什麼?不明白爲什麼需要Math.min()
和Math.max()
。還有,lives
是否代表董事會初始化的生命數量?
我誤解實施的可能性,爲了澄清,在我接受/贊成答案之前,您能評論每次迭代發生了什麼嗎?真的有助於清理事情。 –
非常感謝。這清理了很多東西!還有幾個問題。我仍然沒有得到'生命' - 板子[i] [j]&1'部分。我們的廣場沒有1個?在'(1,2)'?減1的原因是什麼?編輯:啊,這是我們正在尋找周圍的方格本身,如果這本身是1,我們減去1,對嗎? –
另外,board [i] [j] >> = 1'中的board [x] [y]&1'和>> = 1中的&1是做什麼的? –