题目描述
给你一个下标从 0 开始的字符串 s
,该字符串仅由小写英文字母组成,s
中的每个字母都 恰好 出现 两次 。另给你一个下标从 0 开始、长度为 26
的的整数数组 distance
。
字母表中的每个字母按从 0
到 25
依次编号(即,'a' -> 0
, 'b' -> 1
, 'c' -> 2
, ... , 'z' -> 25
)。
在一个 匀整 字符串中,第 i
个字母的两次出现之间的字母数量是 distance[i]
。如果第 i
个字母没有在 s
中出现,那么 distance[i]
可以 忽略 。
如果 s
是一个 匀整 字符串,返回 true
;否则,返回 false
。
示例 1:
输入:s = "abaccb", distance = [1,3,0,5,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0]
输出:true
解释:
- 'a' 在下标 0 和下标 2 处出现,所以满足 distance[0] = 1 。
- 'b' 在下标 1 和下标 5 处出现,所以满足 distance[1] = 3 。
- 'c' 在下标 3 和下标 4 处出现,所以满足 distance[2] = 0 。
注意 distance[3] = 5 ,但是由于 'd' 没有在 s 中出现,可以忽略。
因为 s 是一个匀整字符串,返回 true 。
示例 2:
输入:s = "aa", distance = [1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0]
输出:false
解释:
- 'a' 在下标 0 和 1 处出现,所以两次出现之间的字母数量为 0 。
但是 distance[0] = 1 ,s 不是一个匀整字符串。
提示:
2 <= s.length <= 52
s
仅由小写英文字母组成
s
中的每个字母恰好出现两次
distance.length == 26
0 <= distance[i] <= 50
解法
方法一:数组或哈希表
我们可以用哈希表 $d$ 记录每个字母出现的下标,然后遍历哈希表,判断每个字母的下标之差是否等于 distance
中对应的值。如果出现不等的情况,直接返回 false
。如果遍历结束后,没有出现不等的情况,返回 true
。
时间复杂度 $O(n)$,其中 $n$ 为字符串 $s$ 的长度。空间复杂度 $O(|\Sigma|)$,其中 $\Sigma$ 为字符集,这里为小写字母集合。
| class Solution:
def checkDistances(self, s: str, distance: List[int]) -> bool:
d = defaultdict(int)
for i, c in enumerate(map(ord, s), 1):
j = c - ord("a")
if d[j] and i - d[j] - 1 != distance[j]:
return False
d[j] = i
return True
|
1
2
3
4
5
6
7
8
9
10
11
12
13 | class Solution {
public boolean checkDistances(String s, int[] distance) {
int[] d = new int[26];
for (int i = 1; i <= s.length(); ++i) {
int j = s.charAt(i - 1) - 'a';
if (d[j] > 0 && i - d[j] - 1 != distance[j]) {
return false;
}
d[j] = i;
}
return true;
}
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14 | class Solution {
public:
bool checkDistances(string s, vector<int>& distance) {
int d[26]{};
for (int i = 1; i <= s.size(); ++i) {
int j = s[i - 1] - 'a';
if (d[j] && i - d[j] - 1 != distance[j]) {
return false;
}
d[j] = i;
}
return true;
}
};
|
| func checkDistances(s string, distance []int) bool {
d := [26]int{}
for i, c := range s {
c -= 'a'
if d[c] > 0 && i-d[c] != distance[c] {
return false
}
d[c] = i + 1
}
return true
}
|
1
2
3
4
5
6
7
8
9
10
11
12 | function checkDistances(s: string, distance: number[]): boolean {
const d: number[] = Array(26).fill(0);
const n = s.length;
for (let i = 1; i <= n; ++i) {
const j = s.charCodeAt(i - 1) - 97;
if (d[j] && i - d[j] - 1 !== distance[j]) {
return false;
}
d[j] = i;
}
return true;
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16 | impl Solution {
pub fn check_distances(s: String, distance: Vec<i32>) -> bool {
let n = s.len();
let s = s.as_bytes();
let mut d = [0; 26];
for i in 0..n {
let j = (s[i] - b'a') as usize;
let i = i as i32;
if d[j] > 0 && i - d[j] != distance[j] {
return false;
}
d[j] = i + 1;
}
true
}
}
|
1
2
3
4
5
6
7
8
9
10
11
12 | bool checkDistances(char* s, int* distance, int distanceSize) {
int n = strlen(s);
int d[26] = {0};
for (int i = 0; i < n; i++) {
int j = s[i] - 'a';
if (d[j] > 0 && i - d[j] != distance[j]) {
return false;
}
d[j] = i + 1;
}
return true;
}
|