c# leetcode 面试题 08.09. 括号(字符串)(回溯)

面试题 08.09. 括号

难度中等14收藏分享切换为英文关注反馈

括号。设计一种算法,打印n对括号的所有合法的(例如,开闭一一对应)组合。

说明:解集不能包含重复的子集。

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

[
  "((()))",
  "(()())",
  "(())()",
  "()(())",
  "()()()"
]
public class Solution {
    List res = new List();

    public void DFS(int l, int r, int restl, int restr, string curr) {
        if(r > l) {
            return;
        }

        if(restl == 0 && restr == 0) {
            res.Add(curr);
        }

        if(restl != 0) {
            curr += "(";
            DFS(l+1, r, restl-1, restr, curr);
            curr = curr.Substring(0, curr.Length-1);
        }

        if(restr != 0) {
            curr += ")";
            DFS(l, r+1, restl, restr-1, curr);
            curr = curr.Substring(0, curr.Length-1);
        }
    }

    public IList GenerateParenthesis(int n) {
        DFS(1, 0, n-1, n, "(");
        return res;
    } 
}

 

你可能感兴趣的:(Leetcode,回溯算法,字符串)