Leetcode 9.迴文數(Python3)
阿新 • • 發佈:2018-12-14
9.迴文數
判斷一個整數是否是迴文數。迴文數是指正序(從左向右)和倒序(從右向左)讀都是一樣的整數。
示例 1:
輸入: 121
輸出: true
示例 2:
輸入: -121
輸出: false
解釋: 從左向右讀, 為 -121 。 從右向左讀, 為 121- 。因此它不是一個迴文數。
示例 3:
輸入: 10
輸出: false
解釋: 從右向左讀, 為 01 。因此它不是一個迴文數。
進階:
你能不將整數轉為字串來解決這個問題嗎?
solution1:將整數轉為字串
#palindrome-number class Solution1(object): def isPalindrome(self, x): return x >= 0 and str(x) == str(x)[::-1] if __name__ == '__main__': test = 121 test2 = -121 test3 = 10 print(Solution1().isPalindrome(test)) print(Solution1().isPalindrome(test2)) print(Solution1().isPalindrome(test3))
solution2:不將整數轉為字串
#palindrome-number class Solution2(object): def isPalindrome(self, x): if x < 0: return False x_reversed = 0 original_x = x while x > 0: x_reversed = x_reversed * 10 + x % 10 x //= 10 return original_x == x_reversed if __name__ == '__main__': test = 121 test2 = -121 test3 = 10 print(Solution2().isPalindrome(test)) print(Solution2().isPalindrome(test2)) print(Solution2().isPalindrome(test3))
連結:
https://leetcode-cn.com/problems/palindrome-number/description/