Leetcode-7. 整數反轉
阿新 • • 發佈:2020-10-29
7. 整數反轉
給出一個 32 位的有符號整數,你需要將這個整數中每位上的數字進行反轉。
示例 1:
輸入: 123
輸出: 321
示例 2:
輸入: -123
輸出: -321
示例 3:
輸入: 120
輸出: 21
注意:
假設我們的環境只能儲存得下 32 位的有符號整數,則其數值範圍為 [−2^31, 2^31 − 1]。請根據這個假設,如果反轉後整數溢位那麼就返回 0。
- 反轉的部分,x不斷/10,然後
result = result * 10 + x % 10;
,就可以實現翻轉。 - 整數溢位的部分,需要將result設為一個位數更高的型別,比如long long,然後判斷其範圍是否超過int型別的範圍. 指數運算pow需要引入cmath庫,並且其中之一的運算元必須為double型別。
#include<cmath> using namespace std; class Solution { public: int reverse(int x) { long long result = 0; bool isNeg = false; if (x < 0) { isNeg = true; } while (x != 0) { result = result * 10 + x % 10; x = x / 10; if (result < -pow(2.0, 31) or result > pow(2.0, 31) - 1) { return 0; } } return result; } };