欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

C++ LeetCode 22 括号生成

程序员文章站 2022-07-14 17:46:24
...

22 括号生成

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

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

[
“((()))”,
“(()())”,
“(())()”,
“()(())”,
“()()()”
]

class Solution {
public:
    vector<string> generateParenthesis(int n) {
        vector<string> res;
    	generate(n, n, "", res);
    	return res;
    }
 
    void generate(int left, int right, string str, vector<string>& res)
    {
    	if(left == 0 && right == 0)
    	{
    		res.push_back(str);
    		return;
    	}
        //左括号的个数大于0可以添加
    	if(left > 0)
    	{
    		generate(left - 1, right, str + '(', res);
    	}
        //右括号的个数大于左括号,右括号可添加
    	if(right > left)
    	{
    		generate(left, right - 1, str + ')', res);
    	}
    }
};

参考博客
https://blog.csdn.net/lilong_dream/article/details/23917967