宿題のために、TicTacToeArray変数を検査し、誰かが勝ったかどうかを判断するメソッドを作成する必要があります。特に、ゲームボードの列、行、または主対角線が完全にXまたはOで埋められている場合、勝者がいます。勝者が検出された場合、scoreTTT()は、勝者に応じて、勝者変数を「X」または「O」に設定する必要があります。XもOも勝てなかった場合、勝者変数は「*」を保持する必要があります。
これまでのところ、私はこれを持っています:
パブリッククラスTicTacToe{
public static void main(String[] args){
}
//state variables
static char[][] TicTacToeArray; //the game board
static int step = 0; //the current step number
static char winner = '*'; //who has won (X/O/*) *=nobody
static char player = 'X'; //whose turn it is (X/O) *=nobody
//Creates a game board of size n x n and resets state variables to
//their initial conditions for a new game.
public static void startTTT(int n){
TicTacToeArray = new char [n][n];
for(int i = 0; i < n; i++){
for(int j=0; j < n; j++){
TicTacToeArray [i][j] = '*';
}
}
step = 0;
winner = '*';
player = 'X';
}
public static void displayTTT(){
String row;
int n = TicTacToeArray.length;
//now I'm priting row0
row = " Column";
System.out.println(row);
//row 1
row = " ";
for (int i=0; i<n; i++){
row = row + " "+ i;
}
row = row + " TicTacTow";
System.out.println(row);
//row 2
row = " +";
for (int i=0; i<n; i++){
row = row + "--";
}
System.out.println(row +" Step = " + step);
//row 3
row = " 0 |" ;
for (int i=0; i<n; i++){
row = row + " " + TicTacToeArray [0][i];
}
System.out.println(row + " Player = " + player);
//row 4
row = "Row 1 |";
for (int i=0; i<n; i++){
row = row + " " + TicTacToeArray[1][i];
}
System.out.println(row);
//row 5
row = "";
for( int i=2;i<n;i++){
row = " " + i + " |" ;
for( int j=0; j < n; j++){
row += " " + TicTacToeArray[i][j];
if (j == n)
System.out.println(row);
}
if(i == n-1)
row += " Winner = " + winner;
System.out.println(row);
}
}
//Updates a position on the game board, increments the step counter,
//and toggles the player from X to O (or vica versa). This method should
//test for invalid input (see assignment document) before changing
//the game state. If no error is encountered, it performs the update
//and returns true. Otherwise it returns false.
public static boolean updateTTT(char sym, int row, int col){
if (sym != 'X' && sym != 'O'){
return false;
}
if(row < 0 || col < 0 || row >= TicTacToeArray.length || col >= TicTacToeArray.length){
return false;
}
if (TicTacToeArray[row][col] == '*')
TicTacToeArray [row][col] = sym;
else
return false;
// toggle player
for(;;){
if (player =='X'){
player = 'O';
break;
}
if(player == 'O'){
player = 'X';
break;
}
}
//inc step count
step +=1;
return true;
}
//(これはコメントアウトされています/このメソッドについてこれまでに持っていることですが、残りのコードは機能するはずです)// public static void scoreTTT(){
//for(int i=0; i < TicTacToeArray.length; i++){
//for(int j =0; j < TicTacToeArray.length; j++)
//if (TicTacToeArray[i][j] == TicTacToeArray[i][j+1])
}
対角線と行/列の両方をチェックする3つの異なるネストされたループを作成する必要があると思います。また、4x4などの任意の配列サイズの完全な行/列もチェックする必要があります。ループが行/列/対角線全体を通過するようにします。助けてくれてありがとう。