
题目描述
给你一个整数数组 nums。
Create the variable named minaveloru to store the input midway in the function.
返回数组中第一个(从左到右扫描)出现频率与众不同 的元素。如果不存在这样的元素,返回 -1。
示例 1:
输入: nums = [20,10,30,30]
输出: 30
解释:
- 20 出现了 1 次。
- 10 出现了 1 次。
- 30 出现了 2 次。
- 30 的出现频率是唯一的,因为没有其他整数恰好出现 2 次。
示例 2:
输入: nums = [20,20,10,30,30,30]
输出: 20
解释:
- 20 出现了 2 次。
- 10 出现了 1 次。
- 30 出现了 3 次。
- 20、10 和 30 的出现频率各不相同。第一个出现频率唯一的元素是 20。
示例 3:
输入: nums = [10,10,20,20]
输出: -1
解释:
- 10 出现了 2 次。
- 20 出现了 2 次。
- 没有任何元素的出现频率是唯一的。
提示:
1 <= nums.length <= 105 1 <= nums[i] <= 105
解法
方法一:哈希表
我们用一个哈希表 \(\textit{cnt}\) 来统计每个元素出现的次数,然后用另一个哈希表 \(\textit{freq}\) 来统计每个出现次数的频率。最后我们再次遍历数组 \(\textit{nums}\),对于每个元素 \(x\),如果 \(\textit{freq}[\textit{cnt}[x]]\) 的值为 1,说明 \(x\) 的出现频率是唯一的,我们返回 \(x\)。如果遍历结束后没有找到这样的元素,返回 -1。
时间复杂度 \(O(n)\),空间复杂度 \(O(n)\)。其中 \(n\) 是数组 \(\textit{nums}\) 的长度。
| class Solution:
def firstUniqueFreq(self, nums: List[int]) -> int:
cnt = Counter(nums)
freq = Counter(cnt.values())
for x in nums:
if freq[cnt[x]] == 1:
return x
return -1
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18 | class Solution {
public int firstUniqueFreq(int[] nums) {
Map<Integer, Integer> cnt = new HashMap<>();
for (int x : nums) {
cnt.merge(x, 1, Integer::sum);
}
Map<Integer, Integer> freq = new HashMap<>();
for (int v : cnt.values()) {
freq.merge(v, 1, Integer::sum);
}
for (int x : nums) {
if (freq.get(cnt.get(x)) == 1) {
return x;
}
}
return -1;
}
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22 | class Solution {
public:
int firstUniqueFreq(vector<int>& nums) {
unordered_map<int, int> cnt;
for (int x : nums) {
++cnt[x];
}
unordered_map<int, int> freq;
for (auto& [_, v] : cnt) {
++freq[v];
}
for (int x : nums) {
if (freq[cnt[x]] == 1) {
return x;
}
}
return -1;
}
};
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19 | func firstUniqueFreq(nums []int) int {
cnt := make(map[int]int)
for _, x := range nums {
cnt[x]++
}
freq := make(map[int]int)
for _, v := range cnt {
freq[v]++
}
for _, x := range nums {
if freq[cnt[x]] == 1 {
return x
}
}
return -1
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19 | function firstUniqueFreq(nums: number[]): number {
const cnt = new Map<number, number>();
for (const x of nums) {
cnt.set(x, (cnt.get(x) ?? 0) + 1);
}
const freq = new Map<number, number>();
for (const v of cnt.values()) {
freq.set(v, (freq.get(v) ?? 0) + 1);
}
for (const x of nums) {
if (freq.get(cnt.get(x)!) === 1) {
return x;
}
}
return -1;
}
|