判断整型数字是否是回文数字
回文数字
设n是一任意自然数。若将n的各位数字反向排列所得自然数n1与n相等,则称n为一回文数。例如,若n=1234321,则称n为一回文数;但若n=1234567,则n不是回文数。
解题思路
一、将输入的数字转换为字符串
1.利用字符串中的pop()方法【双向队列】
def isPalindrome(x: int):
lst = list(str(x))
while len(lst) > 1:
if lst.pop(0) != lst.pop():
return False
return True
2.利用字符串索引方式判断【双指针】
def isPalindrome(x: int) -> bool:
lst = list(str(x))
L, R = 0, len(lst)-1
while L <= R:
if lst[L] != lst[R]:
return False
L += 1
R -= 1
return True
方法1的时间复杂度比方法2的时间复杂度大,方法1每次pop()删除后,都需要再次进入while循环判断,因此方法1的时间复杂度为O(n**2);而方法2只需要进入一次while循环,因此方法2的时间复杂度为O(n).
二、用原本的整型数字判断
python,可以用math.log(x,10)来计算整型数字的长度。
def isPalindrome(x: int):
temp = x
res = 0
if x < 0:
return False
elif x == 0:
return True
L = int(math.log(x, 10)) + 1
for i in range(L):
new_int = x % 10
res += new_int * (10 ** (L - 1 - i))
x = x // 10
if res == temp:
return True
else:
return False