Leetcode(22)括号生成

题目描述
给出 n 代表生成括号的对数,请你写出一个函数,使其能够生成所有可能的并且有效的括号组合。
例如,给出 n = 3,生成结果为:
[
“((()))”,
“(()())”,
“(())()”,
“()(())”,
“()()()”
]

解题思路
回溯法
只有在我们知道序列仍然保持有效时才添加 ‘(’ or ‘)’,而不是像方法一那样每次添加。我们可以通过跟踪到目前为止放置的左括号和右括号的数目来做到这一点。

class Solution {
public:
    vector<string> generateParenthesis(int n) 
    {
        vector<string> res ;
        generateParenthesisDFS(n, n, "", res);
        return res;
    }
     void generateParenthesisDFS(int left, int right, string out, vector<string> &res) {
         if (left > right) return;
         if (left == 0 && right == 0) res.push_back(out);
         else {
             if (left > 0) generateParenthesisDFS(left - 1, right, out + '(', res);
             if (right > 0) generateParenthesisDFS(left, right - 1, out + ')', res);
         }
     }   
};

猜你喜欢

转载自blog.csdn.net/weixin_43624053/article/details/84893576