2019-10-05 05:14:13 +00:00
|
|
|
"""
|
2020-12-24 12:46:21 +00:00
|
|
|
In this problem, we want to determine all possible subsequences
|
|
|
|
of the given sequence. We use backtracking to solve this problem.
|
2019-07-06 13:13:50 +00:00
|
|
|
|
2020-12-24 12:46:21 +00:00
|
|
|
Time complexity: O(2^n),
|
|
|
|
where n denotes the length of the given sequence.
|
2019-10-05 05:14:13 +00:00
|
|
|
"""
|
2020-12-24 12:46:21 +00:00
|
|
|
from typing import Any, List
|
2019-07-06 13:13:50 +00:00
|
|
|
|
|
|
|
|
2020-10-10 06:19:36 +00:00
|
|
|
def generate_all_subsequences(sequence: List[Any]) -> None:
|
2019-10-05 05:14:13 +00:00
|
|
|
create_state_space_tree(sequence, [], 0)
|
2019-07-06 13:13:50 +00:00
|
|
|
|
|
|
|
|
2020-10-10 06:19:36 +00:00
|
|
|
def create_state_space_tree(
|
|
|
|
sequence: List[Any], current_subsequence: List[Any], index: int
|
|
|
|
) -> None:
|
2019-10-05 05:14:13 +00:00
|
|
|
"""
|
2020-09-10 08:31:26 +00:00
|
|
|
Creates a state space tree to iterate through each branch using DFS.
|
|
|
|
We know that each state has exactly two children.
|
|
|
|
It terminates when it reaches the end of the given sequence.
|
|
|
|
"""
|
2019-07-06 13:13:50 +00:00
|
|
|
|
2019-10-05 05:14:13 +00:00
|
|
|
if index == len(sequence):
|
|
|
|
print(current_subsequence)
|
|
|
|
return
|
2019-07-06 13:13:50 +00:00
|
|
|
|
2019-10-05 05:14:13 +00:00
|
|
|
create_state_space_tree(sequence, current_subsequence, index + 1)
|
|
|
|
current_subsequence.append(sequence[index])
|
|
|
|
create_state_space_tree(sequence, current_subsequence, index + 1)
|
|
|
|
current_subsequence.pop()
|
2019-07-06 13:13:50 +00:00
|
|
|
|
|
|
|
|
2020-12-24 12:46:21 +00:00
|
|
|
if __name__ == "__main__":
|
|
|
|
seq: List[Any] = [3, 1, 2, 4]
|
|
|
|
generate_all_subsequences(seq)
|
2019-07-06 13:13:50 +00:00
|
|
|
|
2020-12-24 12:46:21 +00:00
|
|
|
seq.clear()
|
|
|
|
seq.extend(["A", "B", "C"])
|
|
|
|
generate_all_subsequences(seq)
|