Alice 有 n 枚糖,其中第 i 枚糖的类型为 candyType[i] 。Alice 注意到她的体重正在增长,所以前去拜访了一位医生。
医生建议 Alice 要少摄入糖分,只吃掉她所有糖的 n / 2 即可(n 是一个偶数)。Alice 非常喜欢这些糖,她想要在遵循医生建议的情况下,尽可能吃到最多不同种类的糖。
给你一个长度为 n 的整数数组 candyType ,返回: Alice 在仅吃掉 n / 2 枚糖的情况下,可以吃到糖的最多种类数。
示例 1:
输入:candyType = [1,1,2,2,3,3]
输出:3
解释:Alice 只能吃 6 / 2 = 3 枚糖,由于只有 3 种糖,她可以每种吃一枚。
示例 2:
输入:candyType = [1,1,2,3]
输出:2
解释:Alice 只能吃 4 / 2 = 2 枚糖,不管她选择吃的种类是 [1,2]、[1,3] 还是 [2,3],她只能吃到两种不同类的糖。
思路:把糖果种类的数组存入哈希表,键为种类数字,名为种类的个数;不难想到,当吃的糖果大于等于糖果种类数的时候,最多吃到的种类为种类数,当吃的糖果小于糖果的种类数的时候,最多吃到的种类为吃的个数。
class Solution {
public int distributeCandies(int[] candyType) {
int count = 0;
int need = candyType.length / 2;//需要吃掉的糖果数
Map<Integer, Integer> map = new HashMap<>();
for (int candy : candyType) {
map.put(candy, map.getOrDefault(candy, 0) + 1);
}
Set<Integer> type = map.keySet();
int typecount = type.size();//有多少种糖果
// for(int j:type){
// count+=map.get(j);//一共有多少个糖果
// }
if (need >= typecount) {
return typecount;
} else if (need < typecount) {
return need;
}
return 0;
}
}