给你一个 32 位的有符号整数 x ,返回将 x 中的数字部分反转后的结果。
如果反转后整数超过 32 位的有符号整数的范围 [−231, 231 − 1] ,就返回 0。
假设环境不允许存储 64 位整数(有符号或无符号)。
链接:https://leetcode-cn.com/problems/reverse-integer
首先第一个想法就是,将该数变为字符串,然后翻转,再进行判断是否在范围内,如下,耗时44ms,14.9mb。
class Solution:
def reverse(self, x: int) -> int:
y = int(str(abs(x))[::-1])
if y>=-2**31 and y<=2**31-1:
if x >= 0:
return y
else:
return -y
else:
return 0
还有一种就是,通过除以10取余得到末位(当前个位),耗时36ms,14.9mb。
class Solution:
def reverse(self, x: int) -> int:
y, res = abs(x), 0
# 则其数值范围为 [−2^31, 2^31 − 1]
boundry = (1<<31) -1 if x>0 else 1<<31
while y != 0:
res = res*10 +y%10
if res > boundry :
return 0
y //=10
return res if x >0 else -res