311周赛第二题
题目
字母序连续字符串 是由字母表中连续字母组成的字符串。换句话说,字符串 "abcdefghijklmnopqrstuvwxyz"
的任意子字符串都是 字母序连续字符串 。
- 例如,
"abc"
是一个字母序连续字符串,而"acb"
和"za"
不是。
给你一个仅由小写英文字母组成的字符串 s
,返回其 最长 的 字母序连续子字符串 的长度。
示例 1:
输入:s = "abacaba" 输出:2 解释:共有 4 个不同的字母序连续子字符串 "a"、"b"、"c" 和 "ab" 。 "ab" 是最长的字母序连续子字符串。
示例 2:
输入:s = "abcde" 输出:5 解释:"abcde" 是最长的字母序连续子字符串。
提示:
1 <= s.length <= 105
s
由小写英文字母组成
个人解法
遍历一次,判断相邻字符是否连续,找到最长的连续子字符串的长度
{% tabs categories%}
class Solution {
public int longestContinuousSubstring(String s) {
int cnt = 0;
int bf = 0;
for (int i = 1; i < s.length(); i++) {
if (s.charAt(i) - s.charAt(i - 1) != 1) {
cnt = Math.max(cnt, i - bf);
bf = i;
}
}
return Math.max(cnt, s.length() - bf);
}
}
class Solution:
def longestContinuousSubstring(self, s: str) -> int:
cnt = bf = 0
for i in range(1, len(s)):
if ord(s[i]) - ord(s[i - 1]) != 1:
cnt = max(cnt, i - bf)
bf = i
return max(cnt, len(s) - bf)
{% endtabs %}