题目
467. 环绕字符串中唯一的子字符串
把字符串 s 看作是 “abcdefghijklmnopqrstuvwxyz” 的无限环绕字符串,所以 s 看起来是这样的:
"...zabcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstuvwxyzabcd...." .
现在给定另一个字符串 p 。返回 s 中 唯一 的 p 的 非空子串 的数量 。
示例 1:
输入: p = "a"
输出: 1
解释: 字符串 s 中只有一个"a"子字符。
示例 2:
输入: p = "cac"
输出: 2
解释: 字符串 s 中的字符串“cac”只有两个子串“a”、“c”。.
示例 3:
输入: p = "zab"
输出: 6
解释: 在字符串 s 中有六个子串“z”、“a”、“b”、“za”、“ab”、“zab”。
提示:
1 <= p.length <= 105
p 由小写英文字母构成
解法
//需要知道的性质:
//性质1:
// 以字母结尾的唯一子字符串的最大数目等于以该字母结尾的最大连续子字符串的长度。例如“abcd”,
// 以“d”结尾的唯一子字符串的最大数目是4,显然它们是“abcd”、“bcd”、“cd”和“d”。
//性质2:
//如果有重叠,我们只需要考虑最长的一个,因为它覆盖了所有可能的子字符串。示例:“abcdbcd”,
// 以“d”结尾的唯一子字符串的最大数目为4,并且由第二个“bcd”部分形成的所有子字符串都已包含在4个子字符串中。
public int findSubstringInWraproundString(String p) {
char[] ch = (" " + p).toCharArray();
//dp[k] 表示 p 中以字符字符 k+'a' 结尾且在 s 中的子串的最长长度
int[] dp = new int[26];
int count = 1;
for (int i = 1; i < ch.length; i++) {
int k = ch[i] - 'a';
if (check(ch[i - 1], ch[i])) {
count++;
} else {
count = 1;
}
dp[k] = Math.max(dp[k], count);
}
int res = 0;
for (int x : dp) res += x;
return res;
}
private boolean check(char prev, char cur) {
if (prev == 'z' && cur == 'a') return true;
return cur - prev == 1;
}
另
public int findSubstringInWraproundString(String p) {
int[] count = new int[26];
int maxLen = 0;
for (int i = 0; i < p.length(); i++) {
if (i > 0 && (p.charAt(i) - 'a' == (p.charAt(i - 1) - 'a' + 1) % 26)) {
maxLen++;
} else {
maxLen = 1;
}
int index = p.charAt(i) - 'a';
count[index] = Math.max(count[index], maxLen);
}
int res = 0;
for (int i = 0; i < 26; i++) {
res += count[i];
}
return res;
}