860 柠檬水找零
题目链接:柠檬水找零
思路
这道题目在贪心题目中来说比较简单。遇到5我们直接收下;遇到10我们先看我们有没有5,没有5则返回false
,否则5的个数减一,10的个数加一;遇到20有两种情况,一种是有没有一个10和一个5,另一种是有没有3个5,有的话对应个数减减,没有的话返回false
。
class Solution {
public:
bool lemonadeChange(vector<int>& bills) {
int five_count = 0;
int ten_count = 0;
int twenty_count = 0;
for(int i=0; i<bills.size(); i++){
if(bills[i] == 5){
five_count +=1;
}
else if(bills[i] == 10){
if(five_count <= 0){
return false;
}
five_count--;
ten_count++;
}
else{
if(five_count >0 && ten_count >0){
five_count--;
ten_count--;
twenty_count++;
}
else if(five_count >= 3){
five_count = five_count -3;
twenty_count ++;
}
else{
return false;
}
}
}
return true;
}
};
406 根据身高重建队列
题目链接:根据身高重建队列
思路
本题目自己看是一点都不会,参考解析后恍然大悟。先对身高从大到小排序,然后再根据人数对数组进行调整,代码也非常简单。
class Solution {
public:
static bool cmp(const vector<int>a, const vector<int>b){
if(a[0] == b[0]){
return a[1] < b[1];
}
return a[0] > b[0];
}
vector<vector<int>> reconstructQueue(vector<vector<int>>& people) {
vector<vector<int>> res;
sort(people.begin(), people.end(), cmp);
for(int i=0; i<people.size(); i++){
int pos = people[i][1];
res.insert(res.begin()+pos, people[i]);
}
return res;
}
};
452 用最少数量的箭引爆气球
题目链接:用最少数量的箭引爆气球
思路
这道题目画图来解释是最直观的,有难度。要注意res
的初始值,如果两个气球重叠了,就得更新边界以确保下一个气球也有可能重叠。
class Solution {
public:
static bool cmp(const vector<int>a, const vector<int>b){
return a[0]<=b[0];
}
int findMinArrowShots(vector<vector<int>>& points) {
sort(points.begin(), points.end(), cmp);
int res = 1;
for(int i=1; i<points.size(); i++){
if(points[i][0] > points[i-1][1]){
res++;
}
else{
points[i][1] = min(points[i-1][1], points[i][1]);
}
}
return res;
}
};
参考链接
- https://programmercarl.com/%E6%A0%B9%E6%8D%AE%E8%BA%AB%E9%AB%98%E9%87%8D%E5%BB%BA%E9%98%9F%E5%88%97%EF%BC%88vector%E5%8E%9F%E7%90%86%E8%AE%B2%E8%A7%A3%EF%BC%89.html#%E6%80%BB%E7%BB%93