22. Generate Parentheses

Posted 小河沟大河沟

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了22. Generate Parentheses相关的知识,希望对你有一定的参考价值。

22. Generate Parentheses

题目

 Given n pairs of parentheses, write a function to generate all combinations of well-formed parentheses.

For example, given n = 3, a solution set is:

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

解析

  • 这道题要生成正确形式的括号匹配的数量,其实就是卡特兰数,至于要输出所有括号的正确组合形式,可以采用递归。用两个变量l和r记录剩余左括号和右括号的数量,当且仅当左右括号数量都为0时,正常结束。当然还有一点限制,就是剩余的右括号数量比左括号多时才能添加右括号
class Solution_22 {
public:
    void dfs(string str,int left,int right,int total,vector<string>& vec)
    {
        if (left+right==total)
        {
            vec.push_back(str);
        }
        if (left<total/2)  // 不能用left<=total/2等号
        {
            dfs(str + '(', left + 1, right, total, vec);
        }
        if (left>right&&right<total/2) //左括号多余右括号
        {
            dfs(str + ')', left, right + 1, total, vec);
        }
        
        return;
    }

    vector<string> generateParenthesis(int n) {
        vector<string> vec;
        string str;
        if (n==0)
        {
            return vec;
        }
        dfs("", 0, 0, 2 * n,vec);
        return vec;
    }
};

题目来源

以上是关于22. Generate Parentheses的主要内容,如果未能解决你的问题,请参考以下文章

LeetCode 22. Generate Parentheses

Leetcode 22. Generate Parentheses

22. Generate Parentheses(ML)

leetcode22. Generate Parentheses

22. Generate Parentheses

22. Generate Parentheses(js)