验证回文串
- 如果在将所有大写字符转换为小写字符、并移除所有非字母数字字符之后,短语正着读和反着读都一样。则可以认为该短语是一个 回文串
字母和数字都属于字母数字字符。
给你一个字符串 s,如果它是 回文串 ,返回 true ;否则,返回 false 。
示例 1:
输入: s = “A man, a plan, a canal: Panama”
输出:true
解释:“amanaplanacanalpanama” 是回文串。
解题思路
- 首先,我们需要将字符串转换为只包含小写字母和数字的形式,并且忽略非字母数字字符。
- 然后,我们可以使用双指针技巧来检查字符串是否是回文串。一个指针从字符串的开头向后移动,另一个指针从字符串的末尾向前移动,同时比较对应位置的字符是否相等。
Java实现
public class Palindrome {
public boolean isPalindrome(String s) {
// 将字符串转换为只包含小写字母和数字的形式,并忽略非字母数字字符
String filtered = s.replaceAll("[^a-zA-Z0-9]", "").toLowerCase();
int left = 0, right = filtered.length() - 1;
// 使用双指针技巧,比较对应位置的字符是否相等
while (left < right) {
if (filtered.charAt(left) != filtered.charAt(right)) {
return false;
}
left++;
right--;
}
return true;
}
public static void main(String[] args) {
Palindrome palindrome = new Palindrome();
String s1 = "A man, a plan, a canal: Panama";
System.out.println("Is Palindrome: " + palindrome.isPalindrome(s1)); // Expected: true
String s2 = "race a car";
System.out.println("Is Palindrome: " + palindrome.isPalindrome(s2)); // Expected: false
}
}
时间空间复杂度
- 时间复杂度: 遍历字符串的时间复杂度为 O(n),其中 n 是字符串的长度。
- 空间复杂度: 使用了额外的空间来存储过滤后的字符串,空间复杂度为 O(n),其中 n 是过滤后的字符串的长度。