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

Reorganize String

Difficulty: Medium


Problem Description

Given a string s, rearrange the characters of s so that any two adjacent characters are not the same. Return any possible rearrangement of s or return "" if not possible.


Key Insights

  • The maximum frequency of any character must not exceed half of the total length of the string (rounded up) to ensure adjacent characters are not the same.
  • A max heap (priority queue) can be leveraged to always place the most frequent character next, ensuring proper arrangement.
  • Use a greedy algorithm to build the rearranged string by selecting characters based on their frequencies.

Space and Time Complexity

Time Complexity: O(n log k), where n is the length of the string and k is the number of unique characters. Space Complexity: O(k), where k is the number of unique characters stored in the heap.


Solution

To solve this problem, we can use a max heap to keep track of the frequency of each character in the string. First, we count the frequency of each character using a hash table. Then, we push the characters into a max heap based on their frequency. In a loop, we will pop the two most frequent characters from the heap and append them to the result string. We will then decrease their counts and push them back into the heap if they still have remaining counts. This process continues until we can no longer add characters without violating the adjacency condition.


Code Solutions

import heapq
from collections import Counter

def reorganizeString(s: str) -> str:
    count = Counter(s)
    max_heap = [(-freq, char) for char, freq in count.items()]
    heapq.heapify(max_heap)
    
    prev_char, prev_freq = '', 0
    result = []
    
    while max_heap:
        freq, char = heapq.heappop(max_heap)
        result.append(char)
        
        if prev_freq < 0:  # If there was a previous character waiting to be pushed back
            heapq.heappush(max_heap, (prev_freq, prev_char))
        
        # Update the previous character and its frequency
        prev_char = char
        prev_freq = freq + 1  # Decrement the frequency
    
    rearranged = ''.join(result)
    return rearranged if len(rearranged) == len(s) else ''
← Back to All Questions