我试图解决一个 Leetcode 问题,关于识别输入的数字是否是回文

I was trying to solve a Leetcode problem, regarding identifying if the number entered is a palindrome or not

我理解了问题解决方案背后的逻辑,但在编码解决方案中,我对最后的 return 语句有点困惑。请向我解释它的意义是什么,为什么要使用它等等? (不是为什么使用 return,而是为什么该值被 returned)。

class Solution {
public boolean isPalindrome(int x) {
    // 2 cases  x < 0 = false case 
    //  x > 0 = test case
    
    if (x < 0 || x % 10 == 0 && x != 0){
        return false;
    }
    else {
        int newNum = 0;
        while (x > newNum){
        int r = (x % 10);
        newNum = newNum * 10 + r;
        x /= 10;
        }
    //the part I am confused about - below     
    return x == newNum || x == newNum / 10;
    }
   
    }  
}

为了理解 return 语句的逻辑,让我们取 2 个数字

  1. 1234321
  2. 678876

所以这里 While 循环做的一件事是从 X 中创建一个新数字 (newNum) 并确保 newNum 存储 X 的倒数直到中间点。

所以在 1234321 的情况下,这个 while 循环将执行到 X=123 和 newNum=1234.

使用这些值退出 while 循环后,在 return 中的 2 个语句中,x == newNum / 10 将给出 true 结果,因此 return 语句将 return true.which表示这个数是回文数。

请注意这里没有。给定整数中的数字是奇数(7)

我们再举个例子678876

在这种情况下,当 while 循环结束时,X 的值将为 678,newNum 将为 678

在 return 的 2 个语句中,x == newNum 这次将给出 true 结果,因此 return 语句将再次 return true。这意味着数字是回文。

请注意这里没有。给定整数中的数字是偶数(6)

总而言之,这条语句return x == newNum || x == 新数字 / 10; 是为了确保 我们覆盖了 Odd 和 even no 的条件。给定整数 X.

中的位数