题目: 在一个 8 x 8 的棋盘上,有一个白色车(rook)。也可能有空方块,白色的象(bishop)和黑色的卒(pawn)。它们分别以字符 “R”,“.”,“B” 和 “p” 给出。大写字符表示白棋,小写字符表示黑棋。
车按国际象棋中的规则移动:它选择四个基本方向中的一个(北,东,西和南),然后朝那个方向移动,直到它选择停止、到达棋盘的边缘或移动到同一方格来捕获该方格上颜色相反的卒。另外,车不能与其他友方(白色)象进入同一个方格。
返回车能够在一次移动中捕获到的卒的数量
意思就是给一个二维数组,其中R- 车、. - 空、B-是已方棋子、p-是对面卒。求车在走一步的情况下能吃多少卒。(车走直线,而且没有格数限制)
image.png
例如这个能吃3个卒。
示例
输入:{{'.','.','.','.','.','.','.','.'},{'.','p','p','p','p','p','.','.'},{'.','p','p','B','p','p','.','.'},{'.','p','B','R','B','p','.','.'},{'.','p','p','B','p','p','.','.'},{'.','p','p','p','p','p','.','.'},{'.','.','.','.','.','.','.','.'},{'.','.','.','.','.','.','.','.'}}
输出:0
输入:{{'.','.','.','.','.','.','.','.'},{'.','.','.','p','.','.','.','.'},{'.','.','.','R','.','.','.','p'},{'.','.','.','.','.','.','.','.'},{'.','.','.','.','.','.','.','.'},{'.','.','.','p','.','.','.','.'},{'.','.','.','.','.','.','.','.'},{'.','.','.','.','.','.','.','.'}}
输出;3
限制:
- board.length == board[i].length == 8
- board[i][j] 可以是 'R','.','B' 或 'p'
- 只有一个格子上存在 board[i][j] == 'R'
public static int numRookCaptures(char[][] board) {
int result = 0;
for (int i = 0; i < board.length; i++) {
for (int j = 0; j < board[i].length; j++) {
if (board[i][j] == 'R') {
int res = 0;
//向上
for (int k = i; k >= 0; k--) {
if (board[k][j] == 'B'){
break;
}
if (board[k][j] == 'p') {
++res;
break;
}
}
//向下
for (int k = i; k < board[i].length; k++) {
if (board[k][j] == 'B'){
break;
}
if (board[k][j] == 'p') {
++res;
break;
}
}
//向左
for (int k = j; k >= 0; k--) {
if (board[i][k] == 'B'){
break;
}
if (board[i][k] == 'p') {
++res;
break;
}
}
//向右
for (int k = j; k < board.length; k++) {
if (board[i][k] == 'B'){
break;
}
if (board[i][k] == 'p') {
++res;
break;
}
}
result = res;
}
}
}
return result;
}
测试方法
public static void main(String[] args) {
//0 {{'.','.','.','.','.','.','.','.'},{'.','p','p','p','p','p','.','.'},{'.','p','p','B','p','p','.','.'},{'.','p','B','R','B','p','.','.'},{'.','p','p','B','p','p','.','.'},{'.','p','p','p','p','p','.','.'},{'.','.','.','.','.','.','.','.'},{'.','.','.','.','.','.','.','.'}}
char[][] chars = new char[][]{{'.','.','.','.','.','.','.','.'},{'.','.','.','p','.','.','.','.'},{'.','.','.','R','.','.','.','p'},{'.','.','.','.','.','.','.','.'},{'.','.','.','.','.','.','.','.'},{'.','.','.','p','.','.','.','.'},{'.','.','.','.','.','.','.','.'},{'.','.','.','.','.','.','.','.'}};
System.out.println(numRookCaptures(chars));//3
}
主要是第一步找到“车(R)”的位置,向上、下、左、右四个方向遍历。 官方题解,是用空间数组
int[] dx = {-1, 1, 0, 0}; int[] dy = {0, 0, -1, 1};
来源:https://leetcode-cn.com/problems/available-captures-for-rook/