LeetCode-in-Java

2267. Check if There Is a Valid Parentheses String Path

Hard

A parentheses string is a non-empty string consisting only of '(' and ')'. It is valid if any of the following conditions is true:

You are given an m x n matrix of parentheses grid. A valid parentheses string path in the grid is a path satisfying all of the following conditions:

Return true if there exists a valid parentheses string path in the grid. Otherwise, return false.

Example 1:

Input: grid = [[”(“,”(“,”(“],[”)”,”(“,”)”],[”(“,”(“,”)”],[”(“,”(“,”)”]]

Output: true

Explanation: The above diagram shows two possible paths that form valid parentheses strings.

The first path shown results in the valid parentheses string “()(())”.

The second path shown results in the valid parentheses string “((()))”.

Note that there may be other valid parentheses string paths.

Example 2:

Input: grid = [[”)”,”)”],[”(“,”(“]]

Output: false

Explanation: The two possible paths form the parentheses strings “))(“ and “)((“. Since neither of them are valid parentheses strings, we return false.

Constraints:

Solution

public class Solution {
    private char[][] grid;
    private int m;
    private int n;
    private static final char LFTPAR = '(';
    private static final char RGTPAR = ')';

    public boolean hasValidPath(char[][] grid) {
        this.grid = grid;
        this.m = grid.length;
        this.n = grid[0].length;
        Boolean[][][] dp = new Boolean[m][n][m + n + 1];
        if (grid[0][0] == RGTPAR) {
            return false;
        }
        if ((m + n) % 2 == 0) {
            return false;
        }
        return dfs(0, 0, 0, 0, dp);
    }

    private boolean dfs(int u, int v, int open, int close, Boolean[][][] dp) {
        if (grid[u][v] == LFTPAR) {
            open++;
        } else {
            close++;
        }
        if (u == m - 1 && v == n - 1) {
            return open == close;
        }
        if (open < close) {
            return false;
        }
        if (dp[u][v][open - close] != null) {
            return dp[u][v][open - close];
        }
        if (u == m - 1) {
            boolean result = dfs(u, v + 1, open, close, dp);
            dp[u][v][open - close] = result;
            return result;
        }
        if (v == n - 1) {
            return dfs(u + 1, v, open, close, dp);
        }
        boolean rslt;
        if (grid[u][v] == LFTPAR) {
            rslt = dfs(u + 1, v, open, close, dp) || dfs(u, v + 1, open, close, dp);
        } else {
            rslt = dfs(u, v + 1, open, close, dp) || dfs(u + 1, v, open, close, dp);
        }
        dp[u][v][open - close] = rslt;
        return rslt;
    }
}