题目
给定一个数组,它的第 i 个元素是一支给定股票第 i 天的价格。
如果你最多只允许完成一笔交易(即买入和卖出一支股票),设计一个算法来计算你所能获取的最大利润。
注意你不能在买入股票前卖出股票。
示例 1:
1 | 输入: [7,1,5,3,6,4] |
示例 2:
1 | 输入: [7,6,4,3,1] |
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 (i.e., buy one and sell one share of the stock), design an algorithm to find the maximum profit.
Note that you cannot sell a stock before you buy one.
Example 1:
1 | Input: [7,1,5,3,6,4] |
Example 2:
1 | Input: [7,6,4,3,1] |
解题方法
穷举法
初始假设最大利润为0,嵌套循环穷举所有的买卖情况与当前最大利润比较,取较大值为新的最大利润。时间复杂度为O($n^2$),这段代码跑了192ms,只超过了30.81%的Java提交。
1 | public class Solution { |
动态规划
前$i$天的最大利润为第$i$天股价减前$i-1$天最低股价与前$i-1$天最大利润之间的较大值。一次遍历,每次计算保存前$i$天的最低股价和前$i$天最大利润,遍历结束得到最大利润。O($n$)时间复杂度,这段代码跑了1ms,超过了100%的Java提交。
1 | public class Solution { |