Task 2
Notice the CumulativeMaxList
interface in the task-2
package.
For element of a given list, the cumulative maximum is the maximum of elements at positions through .
In this context, the first element in the list is at index ; i.e. it is a -based indexed list. (As opposed to -based indexed lists where the first element is stored at position with index .)
For example, consider the sequence below:
Here is the cumulative maximum sequence for it:
Suppose a CumulativeMaxList
stores the sequence in the given example and a client invokes the operation insertAt(4, 8)
. Here is the state of the data structure after the operation is performed:
index | 1 | 2 | 3 | 4 | 5 | 6 | 7 |
---|---|---|---|---|---|---|---|
get(index) | |||||||
getMaxAt(index) |
The LinkedCumulativeMaxList
is a linked-list implementation of the CumulativeMaxList. Notice its static nested Node
class. It has two reference variables: next
pointing to the next node and maxPrev
pointing to the node among the preceding nodes that contains the cumulative maximum value. For example, here is a schematic representation of values stored in a LinkedCumulativeMaxList:

In the figure above, the red arrows show maxPrev
reference variables. Notice the first node with value . An assumption is made to simplify the solution here: the data structure only stores positive integers. The node with value of is inserted to the list in the constructor and does not count towards the elements of the LinkedCumulativeMaxList. This node is always there! You don't remove it, nor overwrite it; its existence makes it easier to treat index
parameter as a -based position index. It also makes for fewer edge cases; e.g. an empty LinkedCumulativeMaxList is not "really" empty, it contains the sentinel node with value :

To make sure that you understand how LinkedCumulativeMaxList works, draw a schematic representation of its internal state similar to those above for the values stored in that order.
Solution

Your task is to complete the implementation of insertAt
inside the LinkedCumulativeMaxList
class. Make sure to test your implementation against tests in CumulativeMaxListTest
. Those tests well also help you to better understand how this data structure works.