leetcode 22. 括号生成-java版本

括号知识点

直接生成合法的序列一定满足右括号的个数总是小于等于左括号的个数,是一个典型的卡特兰数问题,卡特兰数的时间复杂度是O(n+1/Cn 2n )

原题链接

数字 n 代表生成括号的对数,请你设计一个函数,用于能够生成所有可能的并且 有效的 括号组合。

代码案例:输入:n = 3
输出:[
“((()))”,
“(()())”,
“(())()”,
“()(())”,
“()()()”
]

题解

  • 1、dfs(int n,int l,int r,String s):n表示最多有n个左括号和右括号,l表示左括号的个数,r表示右括号的个数,s表示当前的序列
  • 2、若l < n,左括号的个数小于n,则可以在当前序列后面拼接左括号
  • 3、若r < l,右括号的个数小于左括号的个数,则可以在当前序列后面拼接右括号
 class Solution {
    List<String> res = new ArrayList<String>() ;

    public List<String> generateParenthesis(int n) {
        dfs(n,0,0,"");
        return res ;
    }
    void dfs(int n ,int lc ,int rc,String path){
        if(lc == n && rc == n ){
            res.add(path);
            return ;
        }else{
            if( lc < n ) dfs(n,lc+1,rc,path+'(');
            if( rc < n && lc > rc )
            dfs(n,lc,rc+1,path+')');
        }

    }
}

你可能感兴趣的:(LeetCode,leetcode,深度优先,算法)