- 2019-09-18 LC 121. Best Time to
- leetcode:121. Best Time to Buy a
- LeetCode #121 #122 #123 #188 #30
- #121. Best Time to Buy and Sell
- [LeetCode] 121. Best Time to Buy
- Leetcode121 - 123 (dp problems)
- [数组]121. Best Time to Buy and Se
- 121. Best Time to Buy and Sell S
- Leetcode121-Best Time to Buy and
- 每天(?)一道LeetCode(14) Best Time to
Description
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:
Input: [7,1,5,3,6,4]
Output: 5
Explanation: Buy on day 2 (price = 1) and sell on day 5 (price = 6), profit = 6-1 = 5.
Not 7-1 = 6, as selling price needs to be larger than buying price.
Solution
只需记录当前最小值和目前最大difference
class Solution:
def maxProfit(self, prices: List[int]) -> int:
min_p = -1
max_profit = 0
for p in prices:
if min_p ==-1 :
min_p = p
elif min_p > p :
min_p = p
else:
profit = p - min_p
if profit > max_profit:
max_profit = profit
return max_profit
网友评论