Leetcode-7:整数反转

个人思路总结:

本题有个大坑,就是在反转之后,数目可能会溢出(因为题目给的是32位有符号整形)
因此我们在定义结果变量的时候,可以把它定义为long型,最后再将其转换为int型输出。如果不做此步处理,可能会导致错误的结果

代码如下:

class Solution {
public:
    int reverse(int x) {
        if(x>pow(2,31)-1 || x<-pow(2,31))
            return 0;
        long result = 0;
        while(x!=0)
        {
            if(x/10==0)
            {//如果为最后一个数字,不需要将其乘10,直接相加即可
                result += x%10;
                x /= 10;
            }
            else
            {
                result =result*10+(x%10)*10;
                x /= 10;
            }
            
        }
        if(result>pow(2,31)-1 || result<-pow(2,31))
            return 0;
        return (int)result;
    }
};

你可能感兴趣的:(个人leetcode总结)