All Construct
Brute force
def all_construct_brute(
target: str,
word_bank: list[str]
) -> list[list[str]]:
"""
N = length of word_bank
M = length of target
Time complexity: O(N^M * M*M)
Worst case scenario, it will need to check every
combination of every value of N while decreasing M
(worst scenario will be by 1 character every time).
As well, in every iteration we copy and remove some
characters the target (depending on M).
Spacial complexity: O(M*M*M)
It will make up to M recursive calls. And for every call,
it will store the suffix of the target.
"""
if target == '':
return [[]]
all_solutions = []
for word in word_bank:
if word in target and target.index(word) == 0:
suffix = target.removeprefix(word)
previous_solutions = all_construct_brute(
suffix,
word_bank
)
current_solutions = list(map(
lambda way: [word, *way],
previous_solutions
))
all_solutions = [*all_solutions, *current_solutions]
return all_solutionsMemoization
Tabulation
Last updated
Was this helpful?