관리 메뉴

솜씨좋은장씨

[HackerRank] Stock Maximize (Python) 본문

Programming/코딩 1일 1문제

[HackerRank] Stock Maximize (Python)

솜씨좋은장씨 2020. 5. 27. 17:23
728x90
반응형

Your algorithms have become so good at predicting the market that you now know what the share price of Wooden Orange Toothpicks Inc. (WOT) will be for the next number of days.

Each day, you can either buy one share of WOT, sell any number of shares of WOT that you own, or not make any transaction at all. What is the maximum profit you can obtain with an optimum trading strategy?

For example, if you know that prices for the next two days are prices = [ 1, 2 ], you should buy one share day one, and sell it day two for a profit of 1. If they are instead prices = [ 2, 1 ], no profit can be made so you don't buy or sell stock those days.

 

Function Description

Complete the stockmax function in the editor below. It must return an integer that represents the maximum profit achievable.

stockmax has the following parameter(s):

  • prices: an array of integers that represent predicted daily stock prices

Input Format

The first line contains the number of test cases .

Each of the next  pairs of lines contain:
- The first line contains an integer , the number of predicted prices for WOT.
- The next line contains n space-separated integers , each a predicted stock price for day .

Constraints

  • 1 <= t <= 10
  • 1 <= n <= 50000
  • 1 <= prices [ ] <= 100000

Output Format

Output t lines, each containing the maximum profit which can be obtained for the corresponding test case.

 

Sample Input

3
3
5 3 2
3
1 2 100
4
1 3 1 2

Sample Output

0
197
3

Explanation

For the first case, you cannot obtain any profit because the share price never rises.
For the second case, you can buy one share on the first two days and sell both of them on the third day.
For the third case, you can buy one share on day 1, sell one on day 2, buy one share on day 3, and sell one share on day 4.

 

Solution

#!/bin/python3

import math
import os
import random
import re
import sys

#
# Complete the 'stockmax' function below.
#
# The function is expected to return a LONG_INTEGER.
# The function accepts INTEGER_ARRAY prices as parameter.
#

def stockmax(price):
    my_profit = 0
    
    max_price = price[-1]
    
    for i in range(len(price)-1, -1, -1):
        if price[i] >= max_price:
            max_price = price[i]
            
        my_profit = my_profit + max_price - price[i]
        
    return my_profit

if __name__ == '__main__':
    fptr = open(os.environ['OUTPUT_PATH'], 'w')

    t = int(input().strip())

    for t_itr in range(t):
        n = int(input().strip())

        prices = list(map(int, input().rstrip().split()))

        result = stockmax(prices)

        fptr.write(str(result) + '\n')

    fptr.close()

 

 

SOMJANG/CODINGTEST_PRACTICE

1일 1문제 since 2020.02.07. Contribute to SOMJANG/CODINGTEST_PRACTICE development by creating an account on GitHub.

github.com

Comments