Queen Attack

On a N * M chessboard, where rows are numbered from 1 to N and columns from 1 to M, there are queens at some cells. Return a N * M array A, where A[i][j] is number of queens that can attack cell (i, j). While calculating answer for cell (i, j), assume there is no queen at that cell.

Notes:

  1. Queen is able to move any number of squares vertically, horizontally or diagonally on a chessboard. A queen cannot jump over another queen to attack a position.
  2. You are given an array of N strings, each of size M. Each character is either a 1 or 0 denoting if there is a queen at that position or not, respectively.
  3. Expected time complexity is worst case O(N*M).
For example,

Let chessboard be,
[0 1 0]
[1 0 0]
[0 0 1]

where a 1 denotes a queen at that position.

Cell (1, 1) is attacked by queens at (2, 1), (1,2) and (3,3).
Cell (1, 2) is attacked by queen at (2, 1). Note that while calculating this, we assume that there is no queen at (1, 2).
Cell (1, 3) is attacked by queens at (3, 3) and (1, 2).
and so on...

Finally, we return matrix
[3, 1, 2]
[1, 3, 3]
[2, 3, 0]
Solution:

Time/space: O(mn)

public class Solution {
    int[] dx = new int[]{-1, -1, 0, 1, 1, 1, 0, -1};
    int[] dy = new int[]{0, 1, 1, 1, 0, -1 ,-1, -1};
    
    private int attack(int i, int j, int k, int[][][] dp, String[] A) {
        int m = A.length;
        int n = A[0].length();
        if (!valid(i, j, m, n)) return 0;
        if (dp[i][j][k] != -1) return dp[i][j][k];;
        int val = A[i].charAt(j) - '0';
        int att = 0;
        if (val == 1) {
            att = 1;
        } else if (valid(i + dx[k], j + dy[k], m, n)) {
            att = attack(i + dx[k], j + dy[k], k, dp, A);
        }
        dp[i][j][k] = att;
        return att;
    }
    
    private boolean valid(int i, int j, int m, int n) {
        return i >= 0 && i < m && j >= 0 && j < n;
    }
    
    public int[][] queenAttack(String[] A) {
        int m = A.length;
        int n = A[0].length();
        int[][][] dp = new int[m][n][8];
        int[][] r = new int[m][n];

        for (int i = 0; i < m; i ++) {
            for (int j = 0; j < n; j ++) {
                for (int k = 0; k < 8; k ++) {
                    dp[i][j][k] = -1;
                }
            }
        }

        for (int i = 0; i < m; i ++) {
            for (int j = 0; j < n; j ++) {
                for (int k = 0; k < 8; k ++) {
                    r[i][j] += attack(i + dx[k], j + dy[k], k, dp, A);
                }
            }
        }
        return r;
    }
}