comments | difficulty | edit_url | tags | ||
---|---|---|---|---|---|
true |
中等 |
|
定义字符串 base
为一个 "abcdefghijklmnopqrstuvwxyz"
无限环绕的字符串,所以 base
看起来是这样的:
"...zabcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstuvwxyzabcd...."
.
给你一个字符串 s
,请你统计并返回 s
中有多少 不同非空子串 也在 base
中出现。
示例 1:
输入:s = "a" 输出:1 解释:字符串 s 的子字符串 "a" 在 base 中出现。
示例 2:
输入:s = "cac" 输出:2 解释:字符串 s 有两个子字符串 ("a", "c") 在 base 中出现。
示例 3:
输入:s = "zab" 输出:6 解释:字符串 s 有六个子字符串 ("z", "a", "b", "za", "ab", and "zab") 在 base 中出现。
提示:
1 <= s.length <= 105
- s 由小写英文字母组成
我们不妨定义一个长度为
我们定义一个变量
最后返回
时间复杂度
class Solution:
def findSubstringInWraproundString(self, s: str) -> int:
f = defaultdict(int)
k = 0
for i, c in enumerate(s):
if i and (ord(c) - ord(s[i - 1])) % 26 == 1:
k += 1
else:
k = 1
f[c] = max(f[c], k)
return sum(f.values())
class Solution {
public int findSubstringInWraproundString(String s) {
int[] f = new int[26];
int n = s.length();
for (int i = 0, k = 0; i < n; ++i) {
if (i > 0 && (s.charAt(i) - s.charAt(i - 1) + 26) % 26 == 1) {
++k;
} else {
k = 1;
}
f[s.charAt(i) - 'a'] = Math.max(f[s.charAt(i) - 'a'], k);
}
return Arrays.stream(f).sum();
}
}
class Solution {
public:
int findSubstringInWraproundString(string s) {
int f[26]{};
int n = s.length();
for (int i = 0, k = 0; i < n; ++i) {
if (i && (s[i] - s[i - 1] + 26) % 26 == 1) {
++k;
} else {
k = 1;
}
f[s[i] - 'a'] = max(f[s[i] - 'a'], k);
}
return accumulate(begin(f), end(f), 0);
}
};
func findSubstringInWraproundString(s string) (ans int) {
f := [26]int{}
k := 0
for i := range s {
if i > 0 && (s[i]-s[i-1]+26)%26 == 1 {
k++
} else {
k = 1
}
f[s[i]-'a'] = max(f[s[i]-'a'], k)
}
for _, x := range f {
ans += x
}
return
}
function findSubstringInWraproundString(s: string): number {
const idx = (c: string): number => c.charCodeAt(0) - 97;
const f: number[] = Array(26).fill(0);
const n = s.length;
for (let i = 0, k = 0; i < n; ++i) {
const j = idx(s[i]);
if (i && (j - idx(s[i - 1]) + 26) % 26 === 1) {
++k;
} else {
k = 1;
}
f[j] = Math.max(f[j], k);
}
return f.reduce((acc, cur) => acc + cur, 0);
}
impl Solution {
pub fn find_substring_in_wrapround_string(s: String) -> i32 {
let idx = |c: u8| -> usize { (c - b'a') as usize };
let mut f = vec![0; 26];
let n = s.len();
let s = s.as_bytes();
let mut k = 0;
for i in 0..n {
let j = idx(s[i]);
if i > 0 && ((j as i32) - (idx(s[i - 1]) as i32) + 26) % 26 == 1 {
k += 1;
} else {
k = 1;
}
f[j] = f[j].max(k);
}
f.iter().sum()
}
}