在线时间:8:00-16:00
迪恩网络APP
随时随地掌握行业动态
扫描二维码
关注迪恩网络微信公众号
★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★ 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) with the following restrictions:
Example: Input: [1,2,3,0,2] Output: 3 Explanation: transactions = [buy, sell, cooldown, buy, sell] 给定一个整数数组,其中第 i 个元素代表了第 i 天的股票价格 。 设计一个算法计算出最大利润。在满足以下约束条件下,你可以尽可能地完成更多的交易(多次买卖一支股票):
示例: 输入: [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 }
|
请发表评论