LeetCode in Kotlin

2968. Apply Operations to Maximize Frequency Score

Hard

You are given a 0-indexed integer array nums and an integer k.

You can perform the following operation on the array at most k times:

The score of the final array is the frequency of the most frequent element in the array.

Return the maximum score you can achieve.

The frequency of an element is the number of occurences of that element in the array.

Example 1:

Input: nums = [1,2,6,4], k = 3

Output: 3

Explanation: We can do the following operations on the array:

The element 2 is the most frequent in the final array so our score is 3. It can be shown that we cannot achieve a better score.

Example 2:

Input: nums = [1,4,4,2,4], k = 0

Output: 3

Explanation: We cannot apply any operations so our score will be the frequency of the most frequent element in the original array, which is 3.

Constraints:

Solution

import kotlin.math.abs
import kotlin.math.max

class Solution {
    fun maxFrequencyScore(nums: IntArray, k: Long): Int {
        nums.sort()
        var left = 0
        var cost = 0L
        var median = nums[0]
        var maxLen = 1
        for (right in 1 until nums.size) {
            cost += abs(median - nums[right])
            median = nums[(right + left + 1) / 2]
            while (cost> k) {
                cost -= abs(median - nums[left])
                left++
                median = nums[(right + left + 1) / 2]
            }
            maxLen = max(maxLen, right - left + 1)
        }
        return maxLen
    }
}