Problem Description
You are given a 0-indexed integer array nums
and an integer k
. You have a starting score of 0
. In one operation, you can choose an index i
, increase your score by nums[i]
, and replace nums[i]
with ceil(nums[i] / 3)
. Return the maximum possible score you can attain after applying exactly k
operations.
Key Insights
- Each operation allows you to gain points from the current value in the array and then reduces that value significantly.
- To maximize the score, you should always choose the largest available number in the array for each operation.
- Using a max-heap (or priority queue) allows efficient retrieval of the largest number.
- After each operation, the modified value must be pushed back into the heap for future operations.
Space and Time Complexity
Time Complexity: O(k log n)
Space Complexity: O(n)
Solution
To solve the problem, we can use a max-heap (priority queue) to efficiently manage the current maximum value in the nums
array. The steps to achieve the solution are as follows:
- Insert all elements of the
nums
array into a max-heap. - For
k
operations, perform the following:- Extract the maximum value from the heap.
- Increase the score by that value.
- Calculate the new value after applying the operation (using the ceiling of the division by 3).
- Insert the new value back into the heap.
- After
k
operations, return the total score.