[LeetCode][python3]0022. Generate Parentheses

Start the Journey
N2I -2020.07.04

1. My first Solution

  1. class Solution:
  2. def generateParenthesis(self, n: int) -> List[str]:
  3. if n==0:
  4. return []
  5. ans=[]
  6. cur_str=""
  7. self.adder(ans,n,n,cur_str)
  8. return ans
  9. def adder(self,ans,l,r,cur_str):
  10. if r==0:
  11. ans.append(cur_str)
  12. return
  13. if l==r:
  14. self.adder(ans,l-1,r,cur_str+"(")
  15. else:
  16. self.adder(ans,l,r-1,cur_str+")")
  17. if l>0:
  18. self.adder(ans,l-1,r,cur_str+"(")

Explanation:

This is a recursive solution of this problem. The l and r is counting the amount of left and right parentheses. The rule is if the amount of l==r, there is only one possibility to extend the string. Otherwise there are two possibilities to extend the string. After the string extending complete, add it to the list.



2. A clean Solution

  1. class Solution:
  2. def generateParenthesis(self, n: int) -> List[str]:
  3. res = ["()"]
  4. for i in range(n - 1):
  5. res = set([x[:i] + "()" + x[i:] for x in res for i in range(len(x))])
  6. return res

Explanation:

A cool way to code it in python. This makes the code very clean.