comments | difficulty | edit_url | tags | |
---|---|---|---|---|
true |
简单 |
|
给你一个整数 x
,如果 x
是一个回文整数,返回 true
;否则,返回 false
。
回文数是指正序(从左向右)和倒序(从右向左)读都是一样的整数。
- 例如,
121
是回文,而123
不是。
示例 1:
输入:x = 121 输出:true
示例 2:
输入:x = -121 输出:false 解释:从左向右读, 为 -121 。 从右向左读, 为 121- 。因此它不是一个回文数。
示例 3:
输入:x = 10 输出:false 解释:从右向左读, 为 01 。因此它不是一个回文数。
提示:
-231 <= x <= 231 - 1
进阶:你能不将整数转为字符串来解决这个问题吗?
我们先判断特殊情况:
- 如果
$x \lt 0$ ,那么$x$ 不是回文数,直接返回false
; - 如果
$x \gt 0$ 且$x$ 的个位数是$0$ ,那么$x$ 不是回文数,直接返回false
; - 如果
$x$ 的个位数不是$0$ ,那么$x$ 可能是回文数,继续执行下面的步骤。
我们将
举个例子,例如
让我们看看如何将后半部分反转。
对于数字
如果继续这个过程,我们将得到更多位数的反转数字。
通过将最后一位数字不断地累乘到取出数字的变量
在代码实现上,我们可以反复“取出”
时间复杂度
class Solution:
def isPalindrome(self, x: int) -> bool:
if x < 0 or (x and x % 10 == 0):
return False
y = 0
while y < x:
y = y * 10 + x % 10
x //= 10
return x in (y, y // 10)
class Solution {
public boolean isPalindrome(int x) {
if (x < 0 || (x > 0 && x % 10 == 0)) {
return false;
}
int y = 0;
for (; y < x; x /= 10) {
y = y * 10 + x % 10;
}
return x == y || x == y / 10;
}
}
class Solution {
public:
bool isPalindrome(int x) {
if (x < 0 || (x && x % 10 == 0)) {
return false;
}
int y = 0;
for (; y < x; x /= 10) {
y = y * 10 + x % 10;
}
return x == y || x == y / 10;
}
};
func isPalindrome(x int) bool {
if x < 0 || (x > 0 && x%10 == 0) {
return false
}
y := 0
for ; y < x; x /= 10 {
y = y*10 + x%10
}
return x == y || x == y/10
}
function isPalindrome(x: number): boolean {
if (x < 0 || (x > 0 && x % 10 === 0)) {
return false;
}
let y = 0;
for (; y < x; x = ~~(x / 10)) {
y = y * 10 + (x % 10);
}
return x === y || x === ~~(y / 10);
}
impl Solution {
pub fn is_palindrome(mut x: i32) -> bool {
if x < 0 || (x % 10 == 0 && x != 0) {
return false;
}
let mut y = 0;
while x > y {
y *= 10;
y += x % 10;
x /= 10;
}
x == y || x == y / 10
}
}
/**
* @param {number} x
* @return {boolean}
*/
var isPalindrome = function (x) {
if (x < 0 || (x > 0 && x % 10 === 0)) {
return false;
}
let y = 0;
for (; y < x; x = ~~(x / 10)) {
y = y * 10 + (x % 10);
}
return x === y || x === ~~(y / 10);
};
class Solution {
/**
* @param int $x
* @return boolean
*/
function isPalindrome($x) {
$str = (string) $x;
$str_reverse = strrev($str);
return $str === $str_reverse;
}
}