-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path22.java
27 lines (25 loc) · 969 Bytes
/
22.java
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
// Generate Parantheses
class Solution {
public List<String> generateParenthesis(int n) {
List<String> ourList = new ArrayList<String>();
generateStrings(ourList, "", 0, 0, n);
return ourList;
}
public void generateStrings(List<String> list, String sequence, int open, int close, int max) {
// add sequence to list of valid strings once it becomes size of max*2
if (max * 2 == sequence.length()) {
list.add(sequence);
return;
}
// ( should be the first thing we add
// can add up to n opening brackets
if (open < max) {
generateStrings(list, sequence + '(', open + 1, close, max);
}
// can only add closing bracket up to as much as how many opening brackets exist
// ) must be the last thing we add
if (close < open) {
generateStrings(list, sequence + ')', open, close + 1, max);
}
}
}