Leetcode(Java)-22. 括号生成

给出 n 代表生成括号的对数,请你写出一个函数,使其能够生成所有可能的并且有效的括号组合。

例如,给出 n = 3,生成结果为:

[
  "((()))",
  "(()())",
  "(())()",
  "()(())",
  "()()()"
]

思路:对于上一步的每个情况,在最右边固定右括号,在左边[0,str.length]的位置插入左括号均满足条件,最后用HashSet去重

class Solution {
    public List<String> generateParenthesis(int n) {
        if(n==0)
            return new ArrayList<String>();
        
        List<String> res = new ArrayList<>();
        res.add("()");
        while(n>1)
        {
            HashSet<String> set = new HashSet<>();
            for(int j=0;j<res.size();j++)
            {
                StringBuffer sb = new StringBuffer(res.get(j));

                for(int i=0;i<=sb.length();i++)
                {
                    StringBuffer temp = new StringBuffer(sb);
                    temp.insert(i,"(");
                    temp.append(")");
                    set.add(temp.toString());
                }
            }
            res = new ArrayList<>();
            for(String str:set)
            {
                res.add(str);
            }
            n--;
        }
        return res;
    }
}
发布了241 篇原创文章 · 获赞 34 · 访问量 2万+

猜你喜欢

转载自blog.csdn.net/qq_38905818/article/details/104347232
今日推荐