当前位置:   article > 正文

【随想录】Day31—第八章 贪心算法 part01

【随想录】Day31—第八章 贪心算法 part01


题目1: 455. 分发饼干


1- 思路

  • 贪心的思路,使得饼干和胃口都有序,定义两个指针使得饼干满足孩子胃口进行计数。

2- 题解

⭐分发饼干 ——题解思路

在这里插入图片描述

class Solution {
    public int findContentChildren(int[] g, int[] s) {
        Arrays.sort(g);
        Arrays.sort(s);
        int res = 0;
        for(int i =0,j=0 ; i<g.length && j<s.length;){
            if(s[j]>=g[i]){
                res++;
                i++;
                j++;
            }else{
                j++;
            }
        }
        return res;
    }
}
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17

题目2: 摆动序列


1- 思路

  • 贪心的思路:局部最优为 删除单调坡 上的元素,只留拐点
  • 重点在于摆动的判断
    • ① 单纯峰值prediff > 0 curdiff <0

image.png

  • ② 有平坡prediff = 0 curdiff <0** **此时也算作摆动

image.png

  • 借助 prediff curdiff,其中 prediff 初始化为 0curdiff 初始化为 1
    • 此场景是假设 prediff 之前有一个平坡,同时默认序列的最后一个元素是一个摆动

三种结果收集情况

  • prediff<=0 && curdiff>0 收集结果 ,谷点
  • prediff>=0 && curdiff<0 收集结果 ,峰点
  • ③ 单调有平坡,此时平坡后的一个上升节点不应该统计结果——> 解决办法:不用每次更新 prediff ,只在有坡度变化的情况下更新 prediff

2- 题解

⭐摆动序列 ——题解思路

在这里插入图片描述

class Solution {
    public int wiggleMaxLength(int[] nums) {
        int prediff = 0;
        int curdiff = 0;
        int res = 1;

        for(int i = 0 ; i < nums.length-1;i++){
            curdiff = nums[i+1] - nums[i];
            if(prediff<=0 && curdiff>0){
                res++;
                prediff = curdiff;
            }else if(prediff >=0 && curdiff<0){
                res++;
                prediff = curdiff;
            }
        }
        return res;
    }
}
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19

题目3: 最大子数组和


1- 思路

  • 贪心思路,只要当前加了该值,求和结果 > 当前结果 ,即可收集结果
  • 如果结果小于 0 ,此时需要重新计算,令 res = 0

2- 题解

⭐ 最大子数组和 ——题解思路

在这里插入图片描述

class Solution {
    public int maxSubArray(int[] nums) {
        int sum = 0;
        int res = Integer.MIN_VALUE;

        for(int i = 0 ; i < nums.length;i++){
            sum+=nums[i];
            if(sum>=res){
                res = sum;
            }
            if(sum<0) sum=0;
        }
        return res;
    }
}
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/Monodyee/article/detail/502809
推荐阅读
相关标签
  

闽ICP备14008679号