给定移动次数的递归骑士位置字符串数组Java

时间:2018-05-04 14:56:43

标签: java arrays recursion row chess

我正在尝试打印一个给出骑士初始位置的棋盘,它会显示8x8棋盘上的所有位置,它可以在指定的移动次数内达到。我想到的示例输入和输出将是某种东西像:

Number of Moves:1
Initial Row:3
Initial Column: 3

........
..x.x...
.x...x..
...x....
.x...x..
..x.x...
........
........

我一直收到这个错误:

at KnightMoves.move(KnightMoves.java:24)
at KnightMoves.move(KnightMoves.java:27)

这是我的解决方案:

import java.util.Scanner;
public class KnightMoves{
    public static void printBoard(String array [][]){
        for (int row=0; row<8; row++){
            for (int col=0; col<8; col++){
                    array [row][col]=".";
            }
        }
    }
    public static void initializeArray(String array [][]){
        for (int row=0; row<8; row++){
            for (int col=0; col<8; c++){
                array [row][col]=".";
            }
        }
    }
    public static void move (String array [][], int steps, int row, int col){
        if (steps==0){
            System.exit(0);
        }else{
            if (row<0 || row>=8 || col<0 || col>=8){
                return;
            }
            move(array,steps,row-2,col-1);
            move(array,steps,row-2,col+1);
            move(array,steps,row+2,col-1);
            move(array,steps,row+2,col+1);
            move(array,stepst,row-1,col-2);
            move(array,steps,row-1,col+2);
            move(array,steps,row+1,col-2);
            move(array,steps,row+1,col+2);
            steps=steps-1;
         }
     }
    public static void main (String args[]){
        Scanner s=new Scanner (System.in);
        String array [][]=new String [8][8];
        initializeArray(array);
        System.out.println("Number of moves:");
        int steps=s.nextInt();
        System.out.println("Starting row:");
        int row=s.nextInt();
        System.out.println("Starting column:");
        int col=s.nextInt();
        move(array,steps,row,col);
        printBoard(array);
    }
 }

有人可以帮我解决这个问题吗?我不知道我做错了什么。谢谢。

1 个答案:

答案 0 :(得分:0)

良好的第一次尝试。您的代码存在一些问题:

在move方法中,步骤的退出条件应该像对无效行/列一样返回。你还需要存储骑士移动到的“X”。最后,在调用递归时立即减少steps变量。

这些更改如下所示:

public static void move(String array[][], int steps, int row, int col) {
    if (steps < 0 || row < 0 || row >= 8 || col < 0 || col >= 8)
        return;
    array[row][col] = "X";
    move(array, steps - 1, row - 2, col - 1);
    move(array, steps - 1, row - 2, col + 1);
    move(array, steps - 1, row + 2, col - 1);
    move(array, steps - 1, row + 2, col + 1);
    move(array, steps - 1, row - 1, col - 2);
    move(array, steps - 1, row - 1, col + 2);
    move(array, steps - 1, row + 1, col - 2);
    move(array, steps - 1, row + 1, col + 2);
}

要正确打印电路板,请在打印出一行时使用print代替println

public static void printBoard(String array[][]) {
    for (int row = 0; row < 8; row++) {
        for (int col = 0; col < 8; col++) {
            System.out.print(array[row][col]);
        }
        System.out.println();
    }
}

在此之后,您将获得预期的输出。