描述
给定一个数组 prices ,它的第 i 个元素 prices[i] 表示一支给定股票第 i 天的价格。
你只能选择 某一天 买入这只股票,并选择在 未来的某一个不同的日子 卖出该股票。设计一个算法来计算你所能获取的最大利润。
返回你可以从这笔交易中获取的最大利润。如果你不能获取任何利润,返回 0 。
解题思路
存在类似的题目有做过类似的题目,122. 买卖股票的最佳时机 II,与现在的题目不同点在于该题可多次出售,此题只能出售一次。只要记住最大最小值即可一次遍历得到最大利益(从新选择最小值后最大值要复位)。
代码如下:
class Solution {
public int maxProfit(int[] prices) {
if (prices==null || prices.length == 0){
return 0;
}
int minPrice = Integer.MAX_VALUE;
int maxPrice = Integer.MIN_VALUE;
int maxProfit = 0;
int temp = 0;
for (int i = 0; i < prices.length; i++) {
if (prices[i]<minPrice){
minPrice = prices[i];
maxPrice = Integer.MIN_VALUE;
}else {
if (minPrice != Integer.MAX_VALUE){
if (prices[i]>maxPrice){
maxPrice = prices[i];
temp = maxPrice -minPrice;
maxProfit = Math.max(maxProfit,temp);
}
}
}
}
return maxProfit;
}
}
运行结果:
210 / 210 个通过测试用例
状态:通过
执行用时: 2 ms
内存消耗: 51.3 MB
提交时间:11 小时前
题解
方法一:暴力法
public class Solution {
public int maxProfit(int prices[]) {
int maxprofit = 0;
for (int i = 0; i < prices.length - 1; i++) {
for (int j = i + 1; j < prices.length; j++) {
int profit = prices[j] - prices[i];
if (profit > maxprofit) {
maxprofit = profit;
}
}
}
return maxprofit;
}
}
作者:LeetCode-Solution
链接:https://leetcode-cn.com/problems/best-time-to-buy-and-sell-stock/solution/121-mai-mai-gu-piao-de-zui-jia-shi-ji-by-leetcode-/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。
方法二:一次遍历
public class Solution {
public int maxProfit(int prices[]) {
int minprice = Integer.MAX_VALUE;
int maxprofit = 0;
for (int i = 0; i < prices.length; i++) {
if (prices[i] < minprice) {
minprice = prices[i];
} else if (prices[i] - minprice > maxprofit) {
maxprofit = prices[i] - minprice;
}
}
return maxprofit;
}
}
作者:LeetCode-Solution
链接:https://leetcode-cn.com/problems/best-time-to-buy-and-sell-stock/solution/121-mai-mai-gu-piao-de-zui-jia-shi-ji-by-leetcode-/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。
小结
无