销售主管的任务是出售一系列的物品,其中每个物品都有一个编号。
由于出售具有相同编号的商品会更容易,所以销售主管决定删除一些物品。
现在她知道她最多能删除多少物品,她想知道最终袋子里最少可以包含多少种不同编号的物品。
例如,最开始她有n = 6 个物品,编号为:ids = [1,1,1,2,2,3],她最多可以删除 m = 2 个物品。
如果删除两个物品 1,则剩下的物品 ids = [1,2,2,3],此时她拥有三种不同编号的物品。
如果删除两个物品 2,则剩下的物品 ids = [1,1,1,3],此时她拥有两种不同编号的物品。
如果删除物品 2 和物品 3 各 1个,则剩下的物品 ids = [1,1,1,2],此时她拥有两种不同编号的物品。
我们发现,物品最少可以剩下两种不同的编号,所以你的程序要返回 2
ids 的大小不超过 10^5
1 <= ids[i] <= 1000000
1 <= m <= 100000
样例 1
输入:
[1,1,1,2,2,3]
2
输出:
2
class Solution {
public:
/**
* @param ids: ID number of items
* @param m: The largest number of items that can be remove
* @return: the result of the min item
*/
int minItem(vector<int> &ids, int m) {
// write your code here
unordered_map<int,int> goods_count;
for(auto i : ids)
goods_count[i]++;
vector<int> count;
for(auto &gc : goods_count)
count.push_back(gc.second);
sort(count.begin(), count.end());
int kinds = count.size(), i = 0;
while(i < kinds && m > 0)
{
int take = min(m, count[i]);
m -= take;
count[i] -= take;
if(count[i] == 0)
i++;
}
return kinds-i;
}
};
50ms C++