Created
December 25, 2021 21:03
-
-
Save lostvikx/b825475eb1a384e36204b71472bb29d2 to your computer and use it in GitHub Desktop.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
def get_permutations(sequence): | |
''' | |
Enumerate all permutations of a given string | |
Returns: a list of all permutations of sequence | |
Example: | |
>>> get_permutations('abc') | |
['abc', 'acb', 'bac', 'bca', 'cab', 'cba'] | |
''' | |
if len(sequence) == 1: | |
return [sequence] | |
else: | |
first_letter = sequence[0] | |
# Last scope would get us the last letter. | |
rest_letters = get_permutations(sequence[1:]) | |
# Final Output | |
result = [] | |
for alpha in rest_letters: | |
# These helped to visualize the output values. | |
# rest_letters | |
# ["bc", "cb"] | |
# ["c"] | |
add_letter_times = len(alpha) + 1 | |
i = 0 | |
while add_letter_times > i: | |
# These helped to visualize the output values. | |
# Expected output | |
# "abcd", "bcd", "bcad", "bcda" | |
# "abc", "bac", "bca" | |
# "ac", "ca" | |
# Nothing is impossible! | |
if i == 0: | |
new_word = first_letter + alpha | |
elif i == len(alpha): | |
new_word = alpha + first_letter | |
else: | |
new_word = alpha[:i] + first_letter + alpha[i:] | |
# Sweet debug! | |
# print(new_word) | |
# Makes sure every arrangement is unique. | |
if not new_word in result: | |
result.append(new_word) | |
i += 1 | |
return result | |
if __name__ == '__main__': | |
def perm_test(words:list) -> None: | |
for i, word in enumerate(words): | |
all_arrangements = get_permutations(word) | |
print(f"\n---Test #{i+1}---") | |
print("Input:", word) | |
print("Output:", all_arrangements) | |
print("Output Lenght:", len(all_arrangements)) | |
perm_test(["cat", "doge", "free", "props"]) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Nothing is impossible!