[leetcode] 주식 매매 적기 II
2632 단어 기타 불 귀 로
당신 이 얻 을 수 있 는 최대 이윤 을 계산 하기 위해 알고리즘 을 설계 하 세 요.너 는 가능 한 한 더 많은 거래 를 완성 할 수 있다.
주의: 당신 은 여러 가지 거래 에 동시에 참여 할 수 없습니다.
예시 1:
: [7,1,5,3,6,4]
: 7
: 2 ( = 1) , 3 ( = 5) , = 5-1 = 4 。
, 4 ( = 3) , 5 ( = 6) , = 6-3 = 3 。
예시 2:
: [1,2,3,4,5]
: 4
: 1 ( = 1) , 5 ( = 5) , = 5-1 = 4 。
1 2 , 。
, 。
예시 3:
: [7,6,4,3,1]
: 0
: , , 0。
1 판 사 고 는 가격 에서 가장 낮은 것 을 사고 가장 높 은 것 을 파 는 것 이다. 결 과 는 다음 과 같다.
class Solution:
def counter(self, prices, profit):
length = len(prices)
if (length == 0):
return 0
minPrice = min(prices)
minPriceIndex = prices.index(minPrice)
buyPrice = 0
salePrice = 0
if (minPriceIndex == (length-1)):
return profit
buyPrice = minPrice
maxPrice = max(prices[minPriceIndex:])
maxPriceIndex = prices.index(maxPrice)
salePrice = maxPrice
profit += salePrice - buyPrice
print(profit)
if ((maxPriceIndex+1) < length):
# return self.counter(prices[maxPriceIndex:], profit)
return profit
else:
return profit
def maxProfit(self, prices):
"""
:type prices: List[int]
:rtype: int
"""
profit = self.counter(prices, 0)
return profit
하지만 결 과 는 차 갑 고 정확 하지 않 아 남 의 것 을 참고 했다.
횟수 가 정 해 지지 않 은 거래 가 있 기 때문에 가장 '욕심' 나 는 방법 은 내일 의 가격 이 오늘 보다 높 으 면 팔 지 않 고 낮 으 면 꼭 팔 겠 다 는 것 이다.
프로그램 에 놓 으 면 이렇게 설명 할 수 있 습 니 다.
1. 전체 변수 count 를 설정 하고 0 으로 초기 화
2. 배열 을 옮 겨 다 니 며 다음 수 를 발견 합 니 다. 현재 의 수 보다 크 면 count 에 두 개의 차 이 를 더 해서 계속 옮 겨 다 니 게 합 니 다.
3. 다음 숫자 가 현재 숫자 보다 작 으 면 아무것도 하지 않 으 면 됩 니 다. 계속 옮 겨 다 니 세 요.
이 사고방식 에 따라 코드 를 쓰 면 됩 니 다.
class Solution:
"""
@param prices: Given an integer array
@return: Maximum profit
"""
def maxProfit(self, prices):
n = len(prices)
if n <= 1:
return 0
count = 0
i = 1
while i != n:
diff = prices[i] - prices[i - 1]
if diff > 0:
count += diff
i += 1
return count
참고 블 로그:https://blog.csdn.net/guoziqing506/article/details/51435452