mirror of
https://github.com/autistic-symposium/master-algorithms-py.git
synced 2025-04-30 04:36:08 -04:00
more
This commit is contained in:
parent
a5b67b61c0
commit
8e9cbfd87f
36
interview_cake/math/fib.py
Normal file
36
interview_cake/math/fib.py
Normal file
@ -0,0 +1,36 @@
|
|||||||
|
#!/bin/python
|
||||||
|
|
||||||
|
"""
|
||||||
|
Write a function fib() that takes an integer nn and returns the nnth Fibonacci number.
|
||||||
|
"""
|
||||||
|
|
||||||
|
# this is O(2^n)
|
||||||
|
def fib(n):
|
||||||
|
if n in [1, 0]:
|
||||||
|
return n
|
||||||
|
return fib(n - 1) + fib(n - 2)
|
||||||
|
|
||||||
|
|
||||||
|
print fib(10)
|
||||||
|
|
||||||
|
|
||||||
|
# this is O(n)
|
||||||
|
def fib(n):
|
||||||
|
if n < 0:
|
||||||
|
raise ValueError('Index was negative. No such thing as a '
|
||||||
|
'negative index in a series.')
|
||||||
|
elif n in [0, 1]:
|
||||||
|
return n
|
||||||
|
|
||||||
|
prev_prev = 0 # 0th fibonacci
|
||||||
|
prev = 1 # 1st fibonacci
|
||||||
|
|
||||||
|
for _ in range(n - 1):
|
||||||
|
current = prev + prev_prev
|
||||||
|
prev_prev = prev
|
||||||
|
prev = current
|
||||||
|
|
||||||
|
return current
|
||||||
|
|
||||||
|
|
||||||
|
print fib(10)
|
32
interview_cake/math/recursive_per.py
Normal file
32
interview_cake/math/recursive_per.py
Normal file
@ -0,0 +1,32 @@
|
|||||||
|
#!/bin/python
|
||||||
|
|
||||||
|
"""
|
||||||
|
Write a recursive function for generating all permutations of an input string. Return them as a set.
|
||||||
|
"""
|
||||||
|
|
||||||
|
def get_permutations(string):
|
||||||
|
|
||||||
|
if len(string) < 2:
|
||||||
|
return set([string])
|
||||||
|
|
||||||
|
all_chars_except_last = string[:-1]
|
||||||
|
last_char = string[-1]
|
||||||
|
|
||||||
|
permutations_of_all_chars_except_last = get_permutations(all_chars_except_last)
|
||||||
|
|
||||||
|
permutations = set()
|
||||||
|
for permutation_of_all_chars_except_last in permutations_of_all_chars_except_last:
|
||||||
|
for position in range(len(all_chars_except_last) + 1):
|
||||||
|
permutation = (
|
||||||
|
permutation_of_all_chars_except_last[:position]
|
||||||
|
+ last_char
|
||||||
|
+ permutation_of_all_chars_except_last[position:]
|
||||||
|
)
|
||||||
|
permutations.add(permutation)
|
||||||
|
|
||||||
|
|
||||||
|
return permutations
|
||||||
|
|
||||||
|
|
||||||
|
str = "abcd"
|
||||||
|
print get_permutations(str)
|
Loading…
x
Reference in New Issue
Block a user