括号生成 DFS 递归

数字 n 代表生成括号的对数,请你设计一个函数,用于能够生成所有可能的并且 有效的 括号组合。

 

示例 1:

输入:n = 3
输出:["((()))","(()())","(())()","()(())","()()()"]
示例 2:

输入:n = 1
输出:["()"]

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/generate-parentheses
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

 

 

 

逻辑判断流程图:

 

 

 

精髓
右括号不能在左括号前面放置,比如 )(,这样就不属于有效的括号
左括号用完了就不能再用了,比如题目给我3组括号,结果我打了四个左括号,不管其他写啥,那肯定是错的

作者:yu-niang-niang
链接:https://leetcode-cn.com/problems/generate-parentheses/solution/yu-niang-niang-22gua-hao-sheng-cheng-dfs-dp7v/

方法:DFS

class Solution {
  List<String> res = new ArrayList<>();
  public List<String> generateParenthesis(int n) {
    if(n <= 0){
      return res;
  }
  getParenthesis("",n,n);
  return res;
}

private void getParenthesis(String str,int left, int right) {
  if(left == 0 && right == 0 ){
    res.add(str);
    return;
  }
  if(left == right){
    //剩余左右括号数相等,下一个只能用左括号
    getParenthesis(str+"(",left-1,right);
  }else if(left < right){
    //剩余左括号小于右括号,下一个可以用左括号也可以用右括号
  if(left > 0){
    getParenthesis(str+"(",left-1,right);
  }
  getParenthesis(str+")",left,right-1);
    }
  }
}

 

posted @ 2022-02-24 11:27  笨笨韩  阅读(73)  评论(0)    收藏  举报