标签:best time to buy and sell stock i ii leetcode 最大利润 解题报告
Say you have an array for which the ith element is the price of a given stock on day i.
If you were only permitted to complete at most one transaction (ie, buy one and sell one share of the stock), design an algorithm to find the maximum profit.
分析:public class Solution { public int maxProfit(int[] prices) { int size = prices.length; if (size == 0){ return 0; } int maxPrice = prices[size-1];//初始化最大price int maxMoney = 0;//初始化利润值 for (int i=size-1; i>=0; --i){ maxPrice = maxPrice > prices[i] ? maxPrice : prices[i];//如果第i天的值大于最大price,则更新最大price的值 maxMoney = maxMoney > (maxPrice - prices[i]) ? maxMoney : (maxPrice - prices[i]);//更新最大利润值 } return maxMoney; } }
Say you have an array for which the ith element is the price of a given stock on day i.
Design an algorithm to find the maximum profit. You may complete as many transactions as you like (ie, buy one and sell one share of the stock multiple times). However, you may not engage in multiple transactions at the same time (ie, you must sell the stock before you buy again).
public class Solution { public int maxProfit(int[] prices) { int profit = 0; int size = prices.length; if (size < 2){ return profit; } for (int index=1; index<size; ++index){ int value = prices[index] - prices[index-1]; if (value > 0){ profit += value; } } return profit; } }
Say you have an array for which the ith element is the price of a given stock on day i.
Design an algorithm to find the maximum profit. You may complete at most two transactions.
Note:
You may not engage in multiple transactions at the same time (ie, you must sell the stock before you buy again).
public class Solution { public int maxProfit(int[] prices) { int size = prices.length; if (size < 2) return 0; int[] left = new int[size]; int[] right = new int[size]; int minValue = prices[0]; int maxValue = prices[size-1]; for (int i=1; i<size; ++i){ left[i] = left[i-1] > (prices[i] - minValue) ? left[i-1] : (prices[i] - minValue); minValue = minValue < prices[i] ? minValue : prices[i]; } for (int i=size-2; i>=0; --i){ right[i] = right[i+1] > (maxValue - prices[i]) ? right[i+1] : (maxValue - prices[i]); maxValue = maxValue > prices[i] ? maxValue : prices[i]; } int profit=0; for (int i=0; i<size; ++i){ profit = profit > (left[i] + right[i]) ? profit : (left[i] + right[i]); } return profit; } }
Best Time to Buy and Sell Stock I && II && III,布布扣,bubuko.com
Best Time to Buy and Sell Stock I && II && III
标签:best time to buy and sell stock i ii leetcode 最大利润 解题报告
原文地址:http://blog.csdn.net/ljphhj/article/details/25912503