leetcode【每日一题】125. 验证回文串 Java

题干

给定一个字符串,验证它是否是回文串,只考虑字母和数字字符,可以忽略字母的大小写。

说明:本题中,我们将空字符串定义为有效的回文串。

示例 1:

输入: "A man, a plan, a canal: Panama"
输出: true

示例 2:

输入: "race a car"
输出: false

想法

双指针
不是数或者字母就跳过
是就变小写
不相同就false
常规方法

Java代码

package daily;

public class NewIsPalindrome {
    public boolean isPalindrome(String s) {
        char [] chars=s.toCharArray();
        int left=0,right=chars.length-1;
        while(left<right){
            while(left<right&&!Character.isLetterOrDigit(chars[left])){
                left++;
            }
            while(left<right&&!Character.isLetterOrDigit(chars[right])){
                right--;
            }
            if(left<right){
                if (Character.toLowerCase(chars[left])!=Character.toLowerCase(chars[right])){
                    return false;
                }
                left++;
                right--;
            }
        }
        return true;
    }

    public static  void  main (String[] args){
        NewIsPalindrome newIsPalindrome=new NewIsPalindrome();
        String s="A man, a plan, a canal: Panama";
        String s2="race a car";
        System.out.println("字符串是"+s+" :"+newIsPalindrome.isPalindrome(s));
        System.out.println("字符串是"+s2+" :"+newIsPalindrome.isPalindrome(s2));

    }
}

我的leetcode代码都已经上传到我的githttps://github.com/ragezor/leetcode

你可能感兴趣的:(leetcode刷题)