comments | difficulty | edit_url | rating | source | tags | |||
---|---|---|---|---|---|---|---|---|
true |
简单 |
1253 |
第 79 场双周赛 Q1 |
|
给你一个下标从 0 开始长度为 n
的字符串 num
,它只包含数字。
如果对于 每个 0 <= i < n
的下标 i
,都满足数位 i
在 num
中出现了 num[i]
次,那么请你返回 true
,否则返回 false
。
示例 1:
输入:num = "1210" 输出:true 解释: num[0] = '1' 。数字 0 在 num 中出现了一次。 num[1] = '2' 。数字 1 在 num 中出现了两次。 num[2] = '1' 。数字 2 在 num 中出现了一次。 num[3] = '0' 。数字 3 在 num 中出现了零次。 "1210" 满足题目要求条件,所以返回 true 。
示例 2:
输入:num = "030" 输出:false 解释: num[0] = '0' 。数字 0 应该出现 0 次,但是在 num 中出现了两次。 num[1] = '3' 。数字 1 应该出现 3 次,但是在 num 中出现了零次。 num[2] = '0' 。数字 2 在 num 中出现了 0 次。 下标 0 和 1 都违反了题目要求,所以返回 false 。
提示:
n == num.length
1 <= n <= 10
num
只包含数字。
我们可以用一个长度为
时间复杂度
class Solution:
def digitCount(self, num: str) -> bool:
cnt = Counter(int(x) for x in num)
return all(cnt[i] == int(x) for i, x in enumerate(num))
class Solution {
public boolean digitCount(String num) {
int[] cnt = new int[10];
int n = num.length();
for (int i = 0; i < n; ++i) {
++cnt[num.charAt(i) - '0'];
}
for (int i = 0; i < n; ++i) {
if (num.charAt(i) - '0' != cnt[i]) {
return false;
}
}
return true;
}
}
class Solution {
public:
bool digitCount(string num) {
int cnt[10]{};
for (char& c : num) {
++cnt[c - '0'];
}
for (int i = 0; i < num.size(); ++i) {
if (cnt[i] != num[i] - '0') {
return false;
}
}
return true;
}
};
func digitCount(num string) bool {
cnt := [10]int{}
for _, c := range num {
cnt[c-'0']++
}
for i, c := range num {
if int(c-'0') != cnt[i] {
return false
}
}
return true
}
function digitCount(num: string): boolean {
const cnt: number[] = Array(10).fill(0);
for (const c of num) {
++cnt[+c];
}
for (let i = 0; i < num.length; ++i) {
if (cnt[i] !== +num[i]) {
return false;
}
}
return true;
}
impl Solution {
pub fn digit_count(num: String) -> bool {
let mut cnt = vec![0; 10];
for c in num.chars() {
let x = c.to_digit(10).unwrap() as usize;
cnt[x] += 1;
}
for (i, c) in num.chars().enumerate() {
let x = c.to_digit(10).unwrap() as usize;
if cnt[i] != x {
return false;
}
}
true
}
}
bool digitCount(char* num) {
int cnt[10] = {0};
for (int i = 0; num[i] != '\0'; ++i) {
++cnt[num[i] - '0'];
}
for (int i = 0; num[i] != '\0'; ++i) {
if (cnt[i] != num[i] - '0') {
return false;
}
}
return true;
}