Welcome toVigges Developer Community-Open, Learning,Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
1.2k views
in Technique[技术] by (71.8m points)

python - Determining if string is palindrome

I wrote two simple functions to determine if a string is a palindrome. I thought they were equivalent, but 2 doesn't work. Why is this?

1

def is_palindrome(string):
    if string == string[::-1]:
        return True
    else:
        return False

2

def is_palindrome(string):
    if string == reversed(string):
        return True
    else:
        return False
See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Answer

0 votes
by (71.8m points)

reversed doesn't create a string but a 'reversed' object:

>>> reversed('radar')
<reversed object at 0x1102f99d0>

As such, the string 'radar' does not compare equal to the object reversed('radar'). To make it work, you need to make sure the reversed object is actually evaluated:

def is_palindrome(string):
    if string == u''.join(reversed(string)):
        return True
    else:
        return False

The u''.join(reversed(string)) inserts u'' in between each of the characters in the string and this leads to the reversed string being turned into a string object.


与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome to Vigges Developer Community for programmer and developer-Open, Learning and Share
...