We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Minimum Deletions to Make String K-Special

Difficulty: Medium


Problem Description

You are given a string word and an integer k. We consider word to be k-special if |freq(word[i]) - freq(word[j])| <= k for all indices i and j in the string. Here, freq(x) denotes the frequency of the character x in word. Return the minimum number of characters you need to delete to make word k-special.


Key Insights

  • The problem involves character frequency counts and requires ensuring that the difference in frequencies of any two characters does not exceed k.
  • A character frequency distribution can be used to determine how many characters need to be deleted to achieve the k-special condition.
  • A greedy approach can be used to minimize deletions by focusing on the most frequent characters.

Space and Time Complexity

Time Complexity: O(n + m log m), where n is the length of the string and m is the number of unique characters (due to sorting). Space Complexity: O(m), where m is the number of unique characters stored in the frequency map.


Solution

To solve the problem, we can follow these steps:

  1. Count the frequency of each character using a hash table (dictionary).
  2. Store the frequencies in a list and sort them.
  3. Use a sliding window approach to find the longest contiguous subarray of frequencies that meets the k-special condition.
  4. Calculate the minimum deletions needed to achieve the k-special condition by determining how many characters are not included in this subarray.

We utilize a hash table (for frequency counting) and sorting (for arranging frequencies) to implement this solution effectively.


Code Solutions

from collections import Counter

def minDeletions(word, k):
    freq = Counter(word)
    frequencies = sorted(freq.values())
    
    left = 0
    min_deletions = float('inf')
    
    for right in range(len(frequencies)):
        while frequencies[right] - frequencies[left] > k:
            left += 1
        current_length = right - left + 1
        min_deletions = min(min_deletions, len(word) - sum(frequencies[left:right + 1]))
    
    return min_deletions
← Back to All Questions