给n对括号找出所有有效组合,首先常规深度遍历回溯能得到所有组合,然后我们来看什么样的组合是有效的,什么样的组合是无效的,采用尾插的字符拼接,因此无论何时)的数量不能超过(,当(和)的数量都得到了n,说明这个组合完成了
class Solution {
public:
vector<string> ans;
void dfs(string an, int left, int right) {
if (left < 0 || left > right)
return;
if (left == 0 && right == 0) {
ans.push_back(std::move(an));
return;
}
dfs(an + '(', left - 1, right);
dfs(an + ')', left, right);
}
vector<string> generateParenthesis(int n) {
dfs("", n, n);
return ans;
}
};