I want to create a code that will return "true" (if I type in a palindrome regardless of case or if there are special characters in it), and "false" otherwise. The code I have so far works for phrases with no special characters such as commas, apostrophes, spaces, etc.
def is_palindrome(my_str):
my_str= my_str.casefold()
rev_str= reversed(my_str)
if list(my_str) == list(rev_str):
print("True")
else:
print("False")
when I do:
print (is_palindrome("Rats live on no evil star"))
it returns True because it is a palindrome
when I do:
print (is_palindrome("Hello World!"))
it returns False because it is not a palindrome
when I do:
print (is_palindrome("Madam, I'm Adam"))
it returns False. but I want to create a code that considers this a palindrome
If you just want to exclude punctuation and spaces you can use
str.translate
:This should recreate my_str with only alphabetical characters, using .isalpha(). Then do the test on that. If you want to keep a record of original string, just stored the recreated version is a temporary string.
You need to filter before testing then:
would pick out only the letters and lowercase them, after which you can test of those letters form a palindrome:
This works because
str.isalpha()
returnsTrue
only for letters.Combined into your function:
Demo:
You may get just alphanumeric character in your string;
By the way this one works, if you ignores non-ASCII chars.