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 at most two transactions.
Note:
 You may not engage in multiple transactions at the same time (ie, you must sell the stock before you buy again).
Idea:
A very helpful discussion from 
https://oj.leetcode.com/discuss/1381/any-solutions-better-than-o-n-2
'
First consider the case that when we are only allowed to make one transaction. we can handle this easily with DP. If we move forward, any new price we meet will only affect our history result by two ways:
will it be so low that it beats our previous lowest price? will it be so high that we should instead sell on this time to gain a higher profit (than the history record)? Similarly, we can move backward with the highest price and profit in record. Either way would take O(n) time. Now consider the two transaction case. Since there will be no overlaps, we are actually dividing the whole time into two intervals.??
We want to maximize the profit in each of them so the same method above will apply here. We are actually trying to break the day at each time instance, by adding the potential max profit before and after it together. By recording history and future for each time point, we can again do this within O(n) time.'
class Solution {
public:
    int maxProfit(vector<int> &prices) {
        int n=prices.size();
        if (n<2) return 0;
        
        int low=prices[0], hi=prices[n-1];
        vector<int> profit1(n,0);
        vector<int> profit2(n,0);
        
        for(int i=1; i<n; i++)
        {
            low = min(low, prices[i]);
            profit1[i]=max(prices[i]-low,profit1[i-1]);
        }
        
        for (int j=n-1; j>=0; j--)
        {
            hi = max( hi, prices[j]);
            profit2[j]=max(hi-prices[j],profit2[j]);
        }
        
        int maxProfit=0; 
        for (int i=0; i<n;i++)
        {
            maxProfit = max(maxProfit, profit1[i]+profit2[i]);
        }
        return maxProfit;
    }
};
 
No comments:
Post a Comment