LeetCode算法笔记–Day35
22. Generate Parentheses
题目:
Given n pairs of parentheses, write a function to generate all combinations of well-formed parentheses.
example
input: n = 3
output: [“((()))”,”(()())”,”(())()”,”()(())”,”()()()”]
My Answer:
方法一:递归
data:image/s3,"s3://crabby-images/97a15/97a15c63149cbf9824909039ea5013c72b3e264e" alt="7ec04f84e936e95782aba26c4663c5fe7aaf94a2a80986a97d81574467b0c513-LeetCode 第 22 题:“括号生出”题解配图.png"
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27
| /** * @param {number} n * @return {string[]} */ var generateParenthesis = function(n) { let _res = []; let _str = ''; let dfs = function(_str,left,right){ if(left == 0 && right == 0){ _res.push(_str) return _res; } if(left > right){ return } if(left>0){ dfs(_str+'(',left-1,right) } if(right>0){ dfs(_str+')',left,right-1) } }
dfs(_str,n,n); return _res; };
|
data:image/s3,"s3://crabby-images/67c83/67c8385d11fd7794cda62a582b78bc1661288ead" alt="Snip20200804_1.png"