Palindrome Problem
Write a function that determines if a given string is a palindrome (spelled the same forward and backward).
# mirror_string.py
def is_palindrome(string):
inverted_string = ""
for character in string:
inverted_string = character + inverted_string
return string == inverted_string
print(mirror("good"))
Strip Method Clone Problem
The .strip()
method removes extra spaces from either side of a string. So " Griffins ".strip()
becomes "Griffins"
.
Write a function that clones the .strip()
method.
# strip_clone.py
def strip(string):
new_string = ""
for character in string:
if character != " ":
new_string = new_string + character
return new_string
print(strip(" peanut ")) # should print 'peanut'
Can you write a clone for left strip (lstrip()
)?
# lstrip_clone.py
def lstrip(string):
for index in range(len(string)): # iterate through string
if string[index] != " ": # test for first non-space character
new_string = string[index:] # slice to end of string
return new_string # return new string
print(lstrip(" peanut ")) # should print 'peanut '
Can you write a clone for right strip (rstrip()
)?
# rstrip_clone.py
def rstrip(string):
reverse_string = string[-1::-1] # reverse the original string so spaces are on left side
for index in range(len(reverse_string)): # iterate through reversed string
if reverse_string[index] != " ": # test for first non-space character
final_string = reverse_string[index:] # slice to end of string
final_string = final_string[-1::-1] # reverse final_string
return final_string # return final_string
print(rstrip(" |peanut| ")) # should print 'peanut '