121. Best Time to Buy and Sell Stock
Easy
Problem:
Input: prices = [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. Note that buying on day 2 and selling on day 1 is not allowed because you must buy before you sell.What to learn:
Solution:
class Solution:
def maxProfit(self, prices: List[int]) -> int:
max_profit = 0
min_price = sys.maxsize
for price in prices:
min_price = min(min_price, price)
max_profit = max(max_profit, price - min_price)
return max_profitLast updated