Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
26 changes: 22 additions & 4 deletions part-1.py
Original file line number Diff line number Diff line change
Expand Up @@ -4,17 +4,35 @@
# the appropriate comment.

# factorial

def factorial(n):
if n < 0:
raise ValueError
if n == 0:
return 1
return n * factorial(n-1)


# reverse

def reverse(text):
if len(text) <= 1:
return text
return text[-1] + reverse(text[:-1])


# bunny

def bunny(count):
if count == 0:
return 0
return 2 + bunny(count-1)


# is_nested_parens

def is_nested_parens(parens):
if parens == "()" or parens == "":
return True
if parens == "((" or parens == "))" or len(parens) == 1:
return False

return is_nested_parens(parens[1:-1])


35 changes: 32 additions & 3 deletions part-2.py
Original file line number Diff line number Diff line change
Expand Up @@ -4,13 +4,42 @@
# the appropriate comment.

# search

def search(array, query):
if len(array) == 0:
return False

if array[0] == query:
return True

return search(array[1:], query)


# is_palindrome

def is_palindrome(text):
if len(text) == 1 or len(text) == 0:
return True

if text[0] != text[-1]:
return False

return is_palindrome(text[1:-1])



# digit_match

def digit_match(int1, int2):
count = 0
# base case when we compare just one digit with last digit of a longer number
# this is where our recursion will stop
if int1 // 10 == 0 or int2 // 10 == 0:
if int1%10 == int2%10:
return 1
else:
return 0

# recursive case
if int1%10 == int2%10:
count = 1

return (count + digit_match(int1//10, int2//10))