Leetcode 题目解析之 Generate Parentheses

2022-02-13 15:19:44 浏览数 (1)

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:

"((()))", "(()())", "(())()", "()(())", "()()()"

代码语言:javascript复制
    public List<String> generateParenthesis(int n) {
        if (n <= 0) {
            return new ArrayList<String>();
        }
        ArrayList<String> rt = new ArrayList<String>();
        dfs(rt, "", n, n);
        return rt;
    }
    void dfs(ArrayList<String> rt, String s, int left, int right) {
        if (left > right) {
            return;
        }
        if (left == 0 && right == 0) {
            rt.add(s);
        }
        if (left > 0) {
            dfs(rt, s   "(", left - 1, right);
        }
        if (right > 0) {
            dfs(rt, s   ")", left, right - 1);
        }
    }

0 人点赞