0

对于这个程序,我正在创建棋盘,这将成为我必须构建的 tictactoe 游戏的基础。这将是一个非常简单的程序,只使用 java 的基础知识。目前我无法让我的 setX() 和 setO() 方法正常工作。这是我在构建两种方法时得到的确切文本。

public void setX(int index) 和 public void setO(int index) 如果 index 在 board 和 BLANK 的范围内,这个方法应该将 X 或 O 分配给 board 中的适当索引(setX 应该放置一个 X;setO,一个○)。请记住,井字游戏传递 1-9 范围内的数字,但棋盘中的索引比该数字小 1(在 0-8 范围内)。

我的具体问题是如何将“x”和“o”设置为正确的索引。当我运行我的单元测试文件(我正在使用 bluejay)时,它会通过这些方法使所有测试用例都失败。它将返回该数组首先在 element[0][2](或 [1][1] 或我的数组中的任何组合)处不同;期望(或)但是是:

public class Board
{
    // instance variables - replace the example below with your own
    public int SIZE = 3;
    private char BLANK = 'N';
    private char [][] board;

    /**
     * Constructor for objects of class Board, intializes all elements to BLANK, 
     * creates board with SIZE elements
     */
  public Board()
    {
        // initialise instance variables
        board = new char[SIZE][SIZE];
        for(int i = 0; i < board.length; i++){
            for(int j = 0; j < board.length; j++){
                board[i][j] = BLANK;
        }
    }
   }
   /**
    * this method returns the board
    */
   public char [][] getBoard(){

       return board;
    }
    /**
     * prints the elements of the array board in a 3x3 grid
     */
   public void display(){
         for(int i = 0; i < board.length; i++){
            for(int j = 0; j < board.length; j++){
                System.out.print(board[i][j]);
        }
    }
   }
    /**
     * This method assigns X to the appropriate index in board
     */
   public void setX(int index){
       index = index - 1;
          for(int i = 0; i < board.length; i++){
            for(int j = 0; j < board.length; j++){

                if((BLANK <= index) && (index <= board[i][j])){
                    board[i][j] = 'X';
                }
        }
    }

    }
    /**
    * This method assigns O to the appropriate index in board
    */
   public void setO(int index){

       for(int i = 0; i < board.length; i++){
            for(int j = 0; j < board.length; j++){

                if((BLANK <= index) && (index <= board[i][j])){
                    board[i][j] = 'O';
                }
        }
    }
    }
   /**
    * This method returns true if the index is not occupied by an X or O
    */
    public boolean isAvailable(int index){
        boolean available = false;
        for(int i = 0; i < board.length; i++){
            for(int j = 0; j < board.length; j++){
                board[i][j] = BLANK;
               available = true;
        }
    }
        return available;
    }
}
4

2 回答 2

1

首先,我想知道为什么你甚至需要一个二维数组。为什么不将板表示为一个九元素的单个数组?

除此之外,将 1-9 位置索引转换为适当的二维索引的方法是:

int i = (index - 1) / 3;
int j = (index - 1) % 3;

然后board[i][j]只处理那一对索引。您的setXandsetO方法不应该循环。

于 2013-04-17T03:56:02.197 回答
0

想象你的板看起来像这样,行标题是你的 y“坐标”,列标题是你的 x“坐标”,表格内容是你调用时的索引setXsetO

  | 0 | 1 | 2
--+---+---+---
0 | 0 | 1 | 2
--+---+---+---
1 | 3 | 4 | 5
--+---+---+---
2 | 6 | 7 | 8

现在,您需要为二维数组计算 x 和 y 值,如下所示:

y = index / 3;
x = index % 3;
于 2013-04-17T03:56:16.467 回答