Game of Life Matrix copy

737 Views Asked by At

I'm working on a version of Conway's Game of Life and I've created the method for creating a new Generation, where I copy a matrix and look for nearby neighbors. I would however like to split this method in to two seperate methods. A copy method of the matrix and then the original newGeneration would call on copy() for help. This is how my newGeneration method looks like right now.

public void newGeneration() {
     temp = new boolean[board.getRows()][board.getCols()];  
      for (int i = 0; i < board.getRows(); i++) {              
       for (int j = 0; j < board.getCols(); j++) {  
        if (board.get(i, j)==true) {       
         if (getNeighbours(board, i, j) > 3) {  
          temp[i][j] = false;
         } else if (getNeighbours(board, i, j) < 2) {
          temp[i][j] = false;
         } else{
          temp[i][j] = true;
         }
        } else if (board.get(i, j) == false) {
         if (getNeighbours(board, i, j) == 3) {
          temp[i][j] = true;
         }
        }
       }
      }
      for (int i = 0; i < board.getRows(); i++) {
       for (int j = 0; j < board.getCols(); j++) {
        board.put(i, j, temp[i][j]);
       }
      }

I want to split this in to two methods, newGeneration() and copy(). I've been working on it for a while now but I seem to screw up with the variables i and j because theyre locally set in the loops. Any help with splitting this method up in to two will be appreciated, thanks!

EDIT:

From some sage advice recommending me of this post, I made something like this

public void newGeneration() {
    boolean[][] tempCells = new boolean [board.getRows()][board.getCols()]; 

    for (int row = 0; row < board.getRows(); row++) {              
        for (int col = 0; col < board.getCols(); col++) { 
            int n = getNeighbours(board,row,col);

            if (n > 3  ||  n < 2)
                tempCells[row][col] = false;
            else if (n == 3)
                tempCells[row][col] = true;
            else
                tempCells[row][col] = temp[board.getRows()][board.getCols()];
        }
    }
}

But it doesn't seem to work properly.

1

There are 1 best solutions below

0
On

A simple way to get a copy of an array is to clone it. Since clone gives just a shallow copy, it requires explicit cloning for each additional dimension for multidimensional arrays:

public static boolean[][] copy(boolean[][] source) {
    boolean[][] copy = source.clone();
    for (int i=0; i<copy.length; ++i) {
        copy[i] = copy[i].clone();
    }
    return copy;
}