Given a 32-bit signed integer, reverse digits of an integer.
Note:
Assume we are dealing with an environment that could only store integers within the 32-bit signed integer range: [−231, 231 − 1]. For the purpose of this problem, assume that your function returns 0 when the reversed integer overflows.
class Solution:
def reverse(self, x: int) -> int:
result = ""
# 0일 때
if x == 0:
return 0
# 음수일 때
if x < 0:
result = "-"
x *= -1
while x:
result += str(x%10)
x = x//10
result = int(result)
# int overflow 검사
if -1*pow(2, 31) < result < pow(2, 31)-1:
return result
return 0
0 일 때와 음수일 때의 예외처리
x 의 맨 뒷자리부터 result 에 string 형태로 넣음
result 를 다시 int 형으로 변환
assume that your function returns 0 when the reversed integer overflows.
=> result 의 범위 검사 (이거 안해주면 오류 남)