Follow the hints! - Part 3

Seriously I had too much wine to think about the solution, so I literally followed the hints. Yeap, shamelessly. Code is down below, cheers, ACC.

Maximum Linear Stock Score - LeetCode

2898. Maximum Linear Stock Score
Medium

Given a 1-indexed integer array prices, where prices[i] is the price of a particular stock on the ith day, your task is to select some of the elements of prices such that your selection is linear.

A selection indexes, where indexes is a 1-indexed integer array of length k which is a subsequence of the array [1, 2, ..., n], is linear if:

  • For every 1 < j <= kprices[indexes[j]] - prices[indexes[j - 1]] == indexes[j] - indexes[j - 1].

subsequence is an array that can be derived from another array by deleting some or no elements without changing the order of the remaining elements.

The score of a selection indexes, is equal to the sum of the following array: [prices[indexes[1]], prices[indexes[2]], ..., prices[indexes[k]].

Return the maximum score that a linear selection can have.

 

Example 1:

Input: prices = [1,5,3,7,8]
Output: 20
Explanation: We can select the indexes [2,4,5]. We show that our selection is linear:
For j = 2, we have:
indexes[2] - indexes[1] = 4 - 2 = 2.
prices[4] - prices[2] = 7 - 5 = 2.
For j = 3, we have:
indexes[3] - indexes[2] = 5 - 4 = 1.
prices[5] - prices[4] = 8 - 7 = 1.
The sum of the elements is: prices[2] + prices[4] + prices[5] = 20.
It can be shown that the maximum sum a linear selection can have is 20.

Example 2:

Input: prices = [5,6,7,8,9]
Output: 35
Explanation: We can select all of the indexes [1,2,3,4,5]. Since each element has a difference of exactly 1 from its previous element, our selection is linear.
The sum of all the elements is 35 which is the maximum possible some out of every selection.

 

Constraints:

  • 1 <= prices.length <= 105
  • 1 <= prices[i] <= 109

public long MaxScore(int[] prices)
{
    Hashtable group = new Hashtable();
    long retVal = 0;

    for (int i = 0; i < prices.Length; i++)
    {
        int index = prices[i] - i;
        if (!group.ContainsKey(index)) group.Add(index, 0L);
        group[index] = (long)group[index] + prices[i];

        retVal = Math.Max(retVal, (long)group[index]);
    }

    return retVal;
}

Comments

Popular posts from this blog

Changing the root of a binary tree

ProjectEuler Problem 719 (some hints, but no spoilers)

The Power Sum, a recursive problem by HackerRank