122.买卖股票的最佳时机II
给你一个整数数组 prices ,其中 prices[i] 表示某支股票第 i 天的价格。
在每一天,你可以决定是否购买和/或出售股票。你在任何时候 最多 只能持有 一股 股票。你也可以先购买,然后在 同一天 出售。
返回 你能获得的 最大 利润 。
参考
思路:
- 贪心算法, 对每天的利润进行判断, 正则相加, 负则跳过
- 把利润分解为每天为单位的维度,而不是从 0 天到第 3 天整体去考虑
class Solution {
public:int maxProfit(vector<int>& prices) {int res = 0;if (prices.size() == 1) return res;for (int i = 1; i < prices.size(); i++) {if (prices[i] - prices[i - 1] > 0) {res += prices[i] - prices[i - 1];}}return res;}
};
55. 跳跃游戏
给你一个非负整数数组 nums ,你最初位于数组的 第一个下标 。数组中的每个元素代表你在该位置可以跳跃的最大长度。
判断你是否能够到达最后一个下标,如果可以,返回 true ;否则,返回 false 。
思路:
- 贪心策略
- 每次跳跃寻找在可跳范围内, 可以跳最远范围的点
class Solution {
public:bool canJump(vector<int>& nums) {int max_index = 0;for (int i = 0; i < nums.size(); i++) {max_index = max(max_index, nums[i] + i);if (i >= max_index) {return i == nums.size() - 1 ? true : false;}}return true;}
};
45. 跳跃游戏 II
思路:
用最少的步数增加覆盖范围
暂时没弄懂, 实现存在疑问
1005. K 次取反后最大化的数组和
class Solution {
public:int largestSumAfterKNegations(vector<int>& nums, int k) {sort(nums.begin(), nums.end());for (int i = 0; i < nums.size() && k > 0; i++) {if (nums[i] < 0) {nums[i] = -nums[i];k--; } else if (nums[i] == 0) {k = 0;} else {break;}}sort(nums.begin(), nums.end());if (k % 2 == 0) {//k 为偶数} else {nums[0] = - nums[0];//k 为奇数}int res = 0;for (int i = 0; i < nums.size(); i++) {res += nums[i];}return res;}
};