Leetcode22 括号生成
题目描述
数字 n 代表生成括号的对数,请你设计一个函数,用于能够生成所有可能的并且 有效的 括号组合。
示例:
输入:n = 3 输出:[ “((()))”, “(()())”, “(())()”, “()(())”, “()()()” ]
思路分析
深度优先遍历。使用加法,即 left
表示「左括号还有几个没有用掉」,right
表示「右括号还有几个没有用掉」,可以画出一棵递归树。
代码实现
代码语言:javascript复制import java.util.ArrayList;
import java.util.List;
public class L22 {
public static void main(String[] args) {
List<String> strings = Solution22.generateParentheses(3);
for (String string : strings) {
System.out.println(string);
}
}
}
class Solution22{
public static List<String> generateParentheses(int n){
ArrayList<String> res = new ArrayList<>();
if(n == 0 )
return res;
dfs("",0,0,n,res);
return res;
}
/**
*
* @param curStr 当前字符串
* @param left 左括号个数
* @param right 右括号个数
* @param n 总个数
* @param res 返回结果集
*/
private static void dfs(String curStr, int left, int right, int n, List<String> res){
if(left == n && right == n ){
res.add(curStr);
return;
}
//剪枝
if(left < right){
return;
}
if(left < n){
dfs(curStr "(",left 1,right,n,res);
}
if(right < n){
dfs(curStr ")",left,right 1,n,res);
}
}
}