Skip to content

Latest commit

 

History

History
97 lines (69 loc) · 2.37 KB

File metadata and controls

97 lines (69 loc) · 2.37 KB

English Version

题目描述

给你一个字符串 s ,如果 s 是一个  字符串,请你返回 true ,否则请返回 false 。

如果 s 中出现过的 所有 字符的出现次数 相同 ,那么我们称字符串 s 是  字符串。

 

示例 1:

输入:s = "abacbc"
输出:true
解释:s 中出现过的字符为 'a','b' 和 'c' 。s 中所有字符均出现 2 次。

示例 2:

输入:s = "aaabb"
输出:false
解释:s 中出现过的字符为 'a' 和 'b' 。
'a' 出现了 3 次,'b' 出现了 2 次,两者出现次数不同。

 

提示:

  • 1 <= s.length <= 1000
  • s 只包含小写英文字母。

解法

Python3

class Solution:
    def areOccurrencesEqual(self, s: str) -> bool:
        counter = collections.Counter(s)
        cnt = -1
        for c, times in counter.items():
            if cnt == -1:
                cnt = times
            elif cnt != times:
                return False
        return True

Java

class Solution {
    public boolean areOccurrencesEqual(String s) {
        int[] counter = new int[26];
        for (char c : s.toCharArray()) {
            ++counter[c - 'a'];
        }
        int cnt = -1;
        for (int i = 0; i < 26; ++i) {
            if (counter[i] == 0) {
                continue;
            }

            if (cnt == -1) {
                cnt = counter[i];
            } else if (cnt != counter[i]) {
                return false;
            }
        }
        return true;
    }
}

...