9.回文数-isPalindrome

链接

LeeCode-9-回文数

参考

知乎

题目描述

判断一个整数是否是回文数。回文数是指正序(从左向右)和倒序(从右向左)读都是一样的整数。

示例 1:
输入: 121
输出: true

示例 2:
输入: -121
输出: false
解释: 从左向右读, 为 -121 。 从右向左读, 为 121- 。因此它不是一个回文数。

示例 3:
输入: 10
输出: false
解释: 从右向左读, 为 01 。因此它不是一个回文数。

实现(python3)

战胜28.24%的方法

class Solution():
    def isPalindrome(self, x):
        if x < 0:
            return False
        elif 0<=x<10:
            return True
        res = str(x)
        n = len(res)
        def helper(i,j):
            while i>=0 and j<=n:
                if res[i] != res[j]:
                    return False
                i-=1
                j+=1
            return True

        if n&1:
            mid = n//2
            while mid>0:
                if helper(mid-1,mid+1) == False:
                    return False
                else:
                    return True
                mid-=1
        else:
            mid = n//2
            while mid>=0:
                if helper(mid-1,mid) == False:
                    return False
                else:
                    return True
                mid-=1
        return 0

通过数学运算,找到取反的数

class Solution():
    def isPalindrome(self, x):
        if (x < 0) or(x!=0 and x%10 == 0):
            return False
        cmp_num = 0
        while x > cmp_num:
            cmp_num = cmp_num*10 + x%10
            x//=10
        return cmp_num==x or cmp_num//10 == x

你可能感兴趣的:(9.回文数-isPalindrome)