LeetCode7. 整数反转
题目思路
翻转一个整数,主要注意溢出的判断
实现代码
class Solution {
public:
int reverse(int x) {
if(!x) return x;
int res = 0;
while(x)
{
if(x > 0 && res > (INT_MAX - x % 10)/10) return 0;
if(x < 0 && res < (INT_MIN - x % 10)/10 ) return 0;
res = res * 10 + x %10;
x = x / 10;
}
cout << res << endl;
return res;
}
};