C++實現LeetCode(7.翻轉整數)
[LeetCode] 7. Reverse Integer 翻轉整數
Given a 32-bit signed integer, reverse digits of an integer.
Example 1:
Input: 123
Output: 321
Example 2:
Input: -123
Output: -321
Example 3:
Input: 120
Output: 21
Note:
Assume we are dealing with an environment which 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 { public: int reverse(int x) { int res = 0; while (x != 0) { if (abs(res) > INT_MAX / 10) return 0; res = res * 10 + x % 10; x /= 10; } return res; } };
在貼出答案的同時,OJ 還提瞭一個問題 To check for overflow/underflow, we could check if ret > 214748364 or ret < –214748364 before multiplying by 10. On the other hand, we do not need to check if ret == 214748364, why? (214748364 即為 INT_MAX / 10)
為什麼不用 check 是否等於 214748364 呢,因為輸入的x也是一個整型數,所以x的范圍也應該在 -2147483648~2147483647 之間,那麼x的第一位隻能是1或者2,翻轉之後 res 的最後一位隻能是1或2,所以 res 隻能是 2147483641 或 2147483642 都在 int 的范圍內。但是它們對應的x為 1463847412 和 2463847412,後者超出瞭數值范圍。所以當過程中 res 等於 214748364 時, 輸入的x隻能為 1463847412, 翻轉後的結果為 2147483641,都在正確的范圍內,所以不用 check。
我們也可以用 long 型變量保存計算結果,最後返回的時候判斷是否在 int 返回內,但其實題目中說瞭隻能存整型的變量,所以這種方法就隻能當個思路擴展瞭,參見代碼如下:
解法二:
class Solution { public: int reverse(int x) { long res = 0; while (x != 0) { res = 10 * res + x % 10; x /= 10; } return (res > INT_MAX || res < INT_MIN) ? 0 : res; } };
到此這篇關於C++實現LeetCode(7.翻轉整數)的文章就介紹到這瞭,更多相關C++實現翻轉整數內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!
推薦閱讀:
- C++實現LeetCode(190.顛倒二進制位)
- C++實現LeetCode(29.兩數相除)
- C++實現LeetCode(50.求x的n次方)
- C++實現LeetCode(186.翻轉字符串中的單詞之二)
- C++實現LeetCode(557.翻轉字符串中的單詞之三)