Valid Palindrome

Tags: Two Pointers, String, Easy

Question

Problem Statement

Given a string, determine if it is a palindrome, considering only alphanumeric
characters and ignoring cases.

For example,
"A man, a plan, a canal: Panama" is a palindrome.
"race a car" is not a palindrome.

Note:

Have you consider that the string might be empty? This is a good question to
ask during an interview.

For the purpose of this problem, we define empty string as valid palindrome.

题解

字符串的回文判断问题,由于字符串可随机访问,故逐个比较首尾字符是否相等最为便利,即常见的『两根指针』技法。此题忽略大小写,并只考虑字母和数字字符。链表的回文判断总结见 Check if a singly linked list is palindrome.

Python

  1. class Solution:
  2. # @param {string} s A string
  3. # @return {boolean} Whether the string is a valid palindrome
  4. def isPalindrome(self, s):
  5. if not s:
  6. return True
  7. l, r = 0, len(s) - 1
  8. while l < r:
  9. # find left alphanumeric character
  10. if not s[l].isalnum():
  11. l += 1
  12. continue
  13. # find right alphanumeric character
  14. if not s[r].isalnum():
  15. r -= 1
  16. continue
  17. # case insensitive compare
  18. if s[l].lower() == s[r].lower():
  19. l += 1
  20. r -= 1
  21. else:
  22. return False
  23. #
  24. return True

C++

  1. class Solution {
  2. public:
  3. /**
  4. * @param s A string
  5. * @return Whether the string is a valid palindrome
  6. */
  7. bool isPalindrome(string& s) {
  8. if (s.empty()) return true;
  9. int l = 0, r = s.size() - 1;
  10. while (l < r) {
  11. // find left alphanumeric character
  12. if (!isalnum(s[l])) {
  13. ++l;
  14. continue;
  15. }
  16. // find right alphanumeric character
  17. if (!isalnum(s[r])) {
  18. --r;
  19. continue;
  20. }
  21. // case insensitive compare
  22. if (tolower(s[l]) == tolower(s[r])) {
  23. ++l;
  24. --r;
  25. } else {
  26. return false;
  27. }
  28. }
  29. return true;
  30. }
  31. };

Java

  1. public class Solution {
  2. public boolean isPalindrome(String s) {
  3. if (s == null || s.trim().isEmpty()) {
  4. return true;
  5. }
  6. int l = 0, r = s.length() - 1;
  7. while (l < r) {
  8. if(!Character.isLetterOrDigit(s.charAt(l))) {
  9. l++;
  10. continue;
  11. }
  12. if(!Character.isLetterOrDigit(s.charAt(r))) {
  13. r--;
  14. continue;
  15. }
  16. if (Character.toLowerCase(s.charAt(l)) == Character.toLowerCase(s.charAt(r))) {
  17. l++;
  18. r--;
  19. } else {
  20. return false;
  21. }
  22. }
  23. return true;
  24. }
  25. }

源码分析

两步走:

  1. 找到最左边和最右边的第一个合法字符(字母或者字符)
  2. 一致转换为小写进行比较

字符的判断尽量使用语言提供的 API, while 循环内部使用 if 而不是 while 可将 l < r 的逻辑移至一处。

复杂度分析

两根指针遍历一次,时间复杂度 O(n), 空间复杂度 O(1).