题目 :
剑指 Offer II 020. 回文子字符串的个数
给定一个字符串 s ,请计算这个字符串中有多少个回文子字符串。
具有不同开始位置或结束位置的子串,即使是由相同的字符组成,也会被视作不同的子串。
示例 1:
输入:s = "abc"
输出:3
解释:三个回文子串: "a", "b", "c"
示例 2:
输入:s = "aaa"
输出:6
解释:6个回文子串: "a", "a", "a", "aa", "aa", "aaa"
提示:
1 <= s.length <= 1000
s 由小写英文字母组成
双指针:
class Solution {
public int countSubstrings(String s) {
int len = s.length();
if(len == 0 || s == null) return 0;
if(len == 1) return 1;
int count = 0;
String s1 = "";
for(int i = 0;i < len;i++){
// 字符串的每个字符都作为回文中心进行判断,中心是一个字符或两个字符
count += app(s,i,i);
System.out.println(count+"-------");
count += app(s,i,i+1);
System.out.println(count+"======");
}
return count;
}
//从字符串的第start位置向左,end位置向右,比较是否为回文并计数
public int app(String s,int start,int end) {
int count = 0;
while(end < s.length() && start >= 0 && s.charAt(start) == s.charAt(end)){
count++;
start--;
end++;
}
return count;
}
}