Friday, September 4, 2020

[Amazon] Best Time to Buy and Sell Stock

Problem: Say you have an array prices 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 (i.e., buy one and sell one share of the stock multiple times).

Note: You may not engage in multiple transactions at the same time (i.e., you must sell the stock before you buy again).

Example:

Input: prices = [7,1,5,3,6,4]
Output: 7
Explanation: Buy on day 2 (price = 1) and sell on day 3 (price = 5), profit = 5-1 = 4.
Then buy on day 4 (price = 3) and sell on day 5 (price = 6), profit = 6-3 = 3.
Total profit is 4 + 3 = 7.


Approach: Not much to say here. You can understand the approach by just looking at the implementation. 


Implementation in C#:

        public int MaxProfitWithMultipleTransaction(int[] prices)

        {

            if (prices == null || prices.Length <= 1)

            {

                return 0;

            }

            int i = 0, result = 0;

            while (i < prices.Length)

            {

                while(i < prices.Length - 1 && prices[i] >= prices[i + 1])

                {

                    ++i;

                }

                int buyIndex = i;

                while (i < prices.Length - 1  && prices[i] <= prices[i + 1])

                {

                    ++i;

                }

                int sellIndex = i;

                result += prices[sellIndex] - prices[buyIndex] < 0 ? 0 : prices[sellIndex] - prices[buyIndex];

                if (buyIndex == sellIndex)

                {

                    ++i;

                }

            }

            return result;

        }


Complexity: O(n)

No comments:

Post a Comment