当前位置:   article > 正文

【代码随想录Day33】贪心算法/DP

【代码随想录Day33】贪心算法/DP

1005 K次取反后最大化的数组和

https://leetcode.cn/problems/maximize-sum-of-array-after-k-negations/description/

思想是对从小到大的负数,依次变号,全部负数变完后如果还有多的,则反复变号绝对值最小的那个数,这个数可能以前是最大的负数或者最小的正数。

  1. class Solution {
  2. public int largestSumAfterKNegations(int[] nums, int k) {
  3. Arrays.sort(nums);
  4. int idx = 0;
  5. for (int i = 0; i < k; i++) {
  6. if (idx < nums.length - 1 && nums[idx] < 0) { //既需要变负为正,又需要和后面的数比绝对值的数
  7. nums[idx] *= -1;
  8. if (nums[idx] >= Math.abs(nums[idx + 1])) idx++; //对最后一个负数来说,要和第一个正数比绝对值,保证idx停在小的那个上
  9. continue;
  10. }
  11. nums[idx] *= -1;
  12. }
  13. int sum = 0;
  14. for (int num : nums) {
  15. sum += num;
  16. }
  17. return sum;
  18. }
  19. }

134 加油站

https://leetcode.cn/problems/gas-station/description/

gasLeft是到达i + 1时还剩的油,min of gasLeft是终点last

  1. class Solution {
  2. public int canCompleteCircuit(int[] gas, int[] cost) {
  3. int last = 0;
  4. int minLevel = Integer.MAX_VALUE; //find when arrive at which station the gasLeft is the lowest
  5. int gasLeft = 0;
  6. for (int i = 0; i < gas.length; i++) {
  7. gasLeft = gasLeft + gas[i] - cost[i]; // gasLeft是到达i + 1时还剩的油,min of gasLeft是终点last
  8. if (gasLeft <= minLevel) { //bug 水平段要取最后一个点
  9. minLevel = gasLeft;
  10. last = i;
  11. }
  12. }
  13. if (gasLeft < 0) return -1;
  14. return last + 1 == gas.length ? 0 : last + 1;
  15. }
  16. }

135 分发糖果

https://leetcode.cn/problems/candy/description/

正着走一次检查矫正一个方向,反着再走一次矫正。

  1. class Solution {
  2. public int candy(int[] ratings) {
  3. int[] candy = new int[ratings.length];
  4. Arrays.fill(candy, 1);
  5. for (int i = 1; i < ratings.length; i++) {
  6. if (ratings[i] > ratings[i - 1]) {
  7. candy[i] = Math.max(candy[i], candy[i - 1] + 1);
  8. }
  9. }
  10. for (int i = ratings.length - 2; i >= 0; i--) {
  11. if (ratings[i] > ratings[i + 1]) {
  12. candy[i] = Math.max(candy[i], candy[i + 1] + 1);
  13. }
  14. }
  15. int sum = 0;
  16. for (int num : candy) {
  17. sum += num;
  18. }
  19. return sum;
  20. }
  21. }
声明:本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:【wpsshop博客】
推荐阅读
相关标签
  

闽ICP备14008679号