zoukankan      html  css  js  c++  java
  • [LeetCode]69. Recerse Integer旋转整数

    Reverse digits of an integer.

    Example1: x = 123, return 321
    Example2: x = -123, return -321

    click to show spoilers.

    Have you thought about this?

    Here are some good questions to ask before coding. Bonus points for you if you have already thought through this!

    If the integer's last digit is 0, what should the output be? ie, cases such as 10, 100.

    Did you notice that the reversed integer might overflow? Assume the input is a 32-bit integer, then the reverse of 1000000003 overflows. How should you handle such cases?

    For the purpose of this problem, assume that your function returns 0 when the reversed integer overflows.

    Update (2014-11-10):
    Test cases had been added to test the overflow behavior.

    Subscribe to see which companies asked this question

     
    解法1:使用to_string、std::reverse、stoll库函数。注意到旋转后可能溢出,因此设置临时变量时应该为long long,然后判断并处理。
    class Solution {
    public:
        int reverse(int x) {
            string s = to_string(x);
            if (s[0] == '-')
                std::reverse(s.begin() + 1, s.end());
            else
                std::reverse(s.begin(), s.end());
            long long n = stoll(s);
            if (n > INT_MAX || n < INT_MIN) return 0;
            return n;
        }
    };

    解法2:先判断输入的正负,然后对绝对值处理,每次取末位相加,最后判断是否溢出。

    class Solution {
    public:
        int reverse(int x) {
            long long res = 0;
            bool isNegative = false;
            if (x < 0) {
                x = -x;
                isNegative = true;
            }
            while (x > 0) {
                res *= 10;
                res += x % 10;
                x /= 10;
            }
            if (res > INT_MAX) return 0;
            return isNegative ? -res : res;
        }
    };

    实际上不需要事先判断输入的正负,因为在取余的时候会自动包含进去,此时while循环的结束条件是x!=0。

    class Solution {
    public:
        int reverse(int x) {
            long long res = 0;
            while (x != 0) {
                res *= 10;
                res += x % 10;
                x /= 10;
            }
            if (res > INT_MAX || res < INT_MIN) return 0;
            return res;
        }
    };
  • 相关阅读:
    Tensorflow 搭建自己的神经网络(二)
    Tensorflow 搭建自己的神经网络(一)
    JSON简介
    JS 弹出框计时器
    【扫盲】史上最全的互联网专业词语汇总,小白必备,人手一套!
    推荐几个数据分析网站
    转:一位阿里人对数据模型建设的几点思考与总结
    数据模型设计心得
    数据仓库架构设计
    数据仓库建模与ETL的实践技巧(转载)
  • 原文地址:https://www.cnblogs.com/aprilcheny/p/4949933.html
Copyright © 2011-2022 走看看