★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★
➤微信公众号:山青咏芝(shanqingyongzhi)
➤博客园地址:山青咏芝(https://www.cnblogs.com/strengthen/)
➤GitHub地址:https://github.com/strengthen/LeetCode
➤原文地址:http://www.javashuo.com/article/p-fsepgmbs-kq.html
➤若是连接不是山青咏芝的博客园地址,则多是爬取做者的文章。
➤原文已修改更新!强烈建议点击原文地址阅读!支持做者!支持原创!
★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★html
Say you have an array for which the ith element is the price of a given stock on day i.git
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) with the following restrictions:github
Example:算法
Input: [1,2,3,0,2] Output: 3 Explanation: transactions = [buy, sell, cooldown, buy, sell]
给定一个整数数组,其中第 i 个元素表明了第 i 天的股票价格 。数组
设计一个算法计算出最大利润。在知足如下约束条件下,你能够尽量地完成更多的交易(屡次买卖一支股票):微信
示例:spa
输入: [1,2,3,0,2] 输出: 3 解释: 对应的交易状态为: [买入, 卖出, 冷冻期, 买入, 卖出]
16ms
1 class Solution { 2 func maxProfit(_ prices: [Int]) -> Int { 3 if prices.count <= 1 { 4 return 0 5 } 6 var s0: Int = 0 7 var s1: Int = -prices[0] 8 var s2: Int = Int.min 9 for i in 1 ..< prices.count { 10 let pre0 = s0 11 let pre1 = s1 12 let pre2 = s2 13 s0 = max(pre0, pre2) 14 s1 = max(pre0 - prices[i], pre1) 15 s2 = pre1 + prices[i] 16 } 17 return max(s0, s2) 18 } 19 }
28ms设计
1 class Solution { 2 func maxProfit(_ prices: [Int]) -> Int { 3 var buy = Int.min, noOp = Int.min 4 var coolDown = 0, sell = 0 5 for p in prices { 6 noOp = max(noOp, buy) 7 buy = coolDown - p 8 coolDown = max(coolDown, sell) 9 sell = noOp + p; 10 } 11 return max(coolDown, sell) 12 } 13 }