Problem Description
You are given an array nums
consisting of positive integers. Starting with score = 0
, apply the following algorithm:
- Choose the smallest integer of the array that is not marked. If there is a tie, choose the one with the smallest index.
- Add the value of the chosen integer to
score
. - Mark the chosen element and its two adjacent elements if they exist.
- Repeat until all the array elements are marked. Return the score you get after applying the above algorithm.
Key Insights
- The algorithm repeatedly selects the smallest unmarked element and marks it along with its neighbors.
- Efficiently tracking the smallest unmarked element is crucial, which can be achieved using a priority queue (min-heap).
- Marking elements can be achieved using an array to keep track of which elements have already been marked.
Space and Time Complexity
Time Complexity: O(n log n) - due to sorting and priority queue operations. Space Complexity: O(n) - for the marked array and the priority queue.
Solution
The solution involves using a min-heap to efficiently retrieve the smallest unmarked element. We also maintain a boolean array to track which elements are marked. The algorithm proceeds as follows:
- Insert all elements with their indices into a min-heap.
- Continuously extract the minimum element from the heap.
- If the element is unmarked, add its value to the score and mark it along with its neighbors.
- Repeat until all elements are marked.