代码随想录算法训练营第23期day34 |860.柠檬水找零、406.根据身高重建队列、452. 用最少数量的箭引爆气球

目录

一、(leetcode 860)柠檬水找零

二、(leetcode 406)根据身高重建队列

三、(leetcode 452)用最少数量的箭引爆气球


一、(leetcode 860)柠檬水找零

力扣题目链接

状态:Debug后AC。

很符合直接的算法是记录5,10,20的面值个数(其实不记录20也可以),然后根据不同的面值进行讨论处理,这里需要注意的是,顾客给20有两种找零方式,如果有10块,可以10+5,如果没有10块,可以5*3。

class Solution {
public:
    bool lemonadeChange(vector& bills) {
        vector record(3, 0); //0,1,2 分别存储5,10,20的数量
        for(int n : bills){
            if(n == 5){record[0]++;}
            else if(n == 10){
                record[1]++;
                record[0]--;
            }else{
                record[2]++;
                if(record[1] == 0){
                    record[0] -= 3;
                }else{
                    record[1]--;
                    record[0]--;
                }
            }
            //cout << record[0] << " " << record[1] << " " << record[2] << endl;
            if(record[0] < 0 || record[1] < 0){
                return false;
            }
        }
        return true;
    }
};

这里的贪心思想体现在哪里?就是当有20的面值进来时,先花费10+5的组合,没有10的话再5*3。因为5元是更加有用的面值,要尽量留着放在后面使用。

二、(leetcode 406)根据身高重建队列

力扣题目链接

状态:copy代码。

本题要注意两点,首先是两个维度先确定哪一个,自己思考的想法是先确定前面的人数,也就是第二个,但是这样排序过后会发现在考虑身高时之前确定的维度被打乱,没有起到什么作用。所以应该是先根据身高进行排序,确定身高之后,可以放心地按照前面的人数进行插入。另一点就是用代码实现这个思路的过程。首先,数组按照某一个维度进行排序的方法要掌握,其次,插入较多的算法,数据结构使用list效率比vector高,最后就是迭代器的使用。

class Solution {
public:
    static bool cmp(const vector& a, const vector& b){
        if(a[0] == b[0]) return a[1] < b[1];
        return a[0] > b[0];
    }
    vector> reconstructQueue(vector>& people) {
        sort(people.begin(), people.end(), cmp);
        list> que;
        int len = people.size();
        for(int i = 0; i < len; ++i){
            int position = people[i][1];
            list>::iterator it = que.begin();
            while(position--){
                it++;
            }
            que.insert(it, people[i]);
        }
        return vector>(que.begin(), que.end());
    }
};

三、(leetcode 452)用最少数量的箭引爆气球

力扣题目链接

状态:Debug后AC。

同样是两个维度,先确定left(从小到大排序),然后对right进行遍历判断。

class Solution {
public:
    static bool cmp(const vector& a, const vector& b){
        if(a[0] == b[0]) return a[1] < b[1];
        return a[0] < b[0];
    }
    int findMinArrowShots(vector>& points) {
        int res = 1;
        sort(points.begin(), points.end(), cmp);
        // for(auto i : points){
        //     cout << i[0] << ", " << i[1] << endl;
        // }
        int len = points.size();
        if(len == 1) return res;
        int i = 1;
        int right = points[0][1];
        for(int i = 1; i < len; ++i){
            if(points[i][0] > points[i-1][1]){
                res++;
            }else{
                points[i][1] = min(points[i][1], points[i-1][1]);
            }
        }
        return res;
    }
};

你可能感兴趣的:(代码随想录二刷,算法)