模拟
- 思路:
- 计算这位数的反序数值;
- 然后比较与原数值是否相等;
cpp
class Solution {
public:
bool isPalindrome(int x) {
if (x < 0) {
return false;
}
if (x < 10) {
return true;
}
long long int sum = 0;
int tmp = x;
while (tmp) {
sum = sum * 10 + tmp % 10;
tmp /= 10;
}
return (sum == x);
}
};
- 上述方法将数值的每一位都遍历了一次,可以根据回文的特性遍历到中间位置;
cpp
class Solution {
public:
bool isPalindrome(int x) {
if ((x < 0) || (x % 10 == 0 && x != 0)) {
return false;
}
int rev = 0;
while (x > rev) {
rev = rev * 10 + x % 10;
x /= 10;
}
return (x == rev) || (x == rev / 10);
}
};