|
| 1 | +def generate_parentheses_iterative(length: int) -> list: |
| 2 | + """ |
| 3 | + Generate all valid combinations of parentheses (Iterative Approach). |
| 4 | +
|
| 5 | + The algorithm works as follows: |
| 6 | + 1. Initialize an empty list to store the combinations. |
| 7 | + 2. Initialize a stack to keep track of partial combinations. |
| 8 | + 3. Start with empty string and push it onstack along with the counts of '(' and ')'. |
| 9 | + 4. While the stack is not empty: |
| 10 | + a. Pop a partial combination and its open and close counts from the stack. |
| 11 | + b. If the combination length is equal to 2*length, add it to the result. |
| 12 | + c. If open count < length, push new combination with added '(' on stack. |
| 13 | + d. If close count < open count, push new combination with added ')' on stack. |
| 14 | + 5. Return the result containing all valid combinations. |
| 15 | +
|
| 16 | + Args: |
| 17 | + length: The desired length of the parentheses combinations |
| 18 | +
|
| 19 | + Returns: |
| 20 | + A list of strings representing valid combinations of parentheses |
| 21 | +
|
| 22 | + Time Complexity: |
| 23 | + O(2^(2*length)) |
| 24 | +
|
| 25 | + Space Complexity: |
| 26 | + O(2^(2*length)) |
| 27 | +
|
| 28 | + >>> generate_parentheses_iterative(3) |
| 29 | + ['()()()', '()(())', '(())()', '(()())', '((()))'] |
| 30 | + >>> generate_parentheses_iterative(2) |
| 31 | + ['()()', '(())'] |
| 32 | + >>> generate_parentheses_iterative(1) |
| 33 | + ['()'] |
| 34 | + >>> generate_parentheses_iterative(0) |
| 35 | + [''] |
| 36 | + """ |
| 37 | + result = [] |
| 38 | + stack = [] |
| 39 | + |
| 40 | + # Each element in stack is a tuple (current_combination, open_count, close_count) |
| 41 | + stack.append(("", 0, 0)) |
| 42 | + |
| 43 | + while stack: |
| 44 | + current_combination, open_count, close_count = stack.pop() |
| 45 | + |
| 46 | + if len(current_combination) == 2 * length: |
| 47 | + result.append(current_combination) |
| 48 | + |
| 49 | + if open_count < length: |
| 50 | + stack.append((current_combination + "(", open_count + 1, close_count)) |
| 51 | + |
| 52 | + if close_count < open_count: |
| 53 | + stack.append((current_combination + ")", open_count, close_count + 1)) |
| 54 | + |
| 55 | + return result |
| 56 | + |
| 57 | + |
| 58 | +if __name__ == "__main__": |
| 59 | + import doctest |
| 60 | + |
| 61 | + doctest.testmod() |
| 62 | + print(generate_parentheses_iterative(3)) |
0 commit comments