According to the Wikipedia’s article: “The Game of Life, also known simply as Life, is a cellular automaton devised by the British mathematician John Horton Conway in 1970.”
Given a board with m by n cells, each cell has an initial state live (1) or dead (0). Each cell interacts with its eight neighbors (horizontal, vertical, diagonal) using the following four rules (taken from the above Wikipedia article):
Example:
Input:
[
[0,1,0],
[0,0,1],
[1,1,1],
[0,0,0]
]
Output:
[
[0,0,0],
[1,0,1],
[0,1,1],
[0,1,0]
]
class Solution {
private:
public:
void gameOfLife(vector<vector<int>>& board) {
vector<vector<int>> dir {{1, 0}, {-1, 0}, {0, -1}, {0, 1}, {1, 1}, {1, -1}, {-1, 1}, {-1, -1}, {0, 0}};
for(int i = 0; i < board.size(); i++) {
for(int j = 0; j < board[0].size(); j++) {
int cnt = 0;
for(const auto& d : dir) {
int dx = i + d[0];
int dy = j + d[1];
if(dx < 0 || dx >= board.size() || dy < 0 || dy >= board[0].size()) {
continue;
}
cnt += board[dx][dy] & 1;
}
if(cnt == 3 || cnt - board[i][j] == 3) {
board[i][j] |= 2;
}
}
}
for(int i = 0; i < board.size(); i++) {
for(int j = 0; j < board[0].size(); j++) {
board[i][j] >>= 1;
}
}
}
};