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

Minimum Number of Steps to Make Two Strings Anagram II

Difficulty: Medium


Problem Description

You are given two strings s and t. In one step, you can append any character to either s or t. Return the minimum number of steps to make s and t anagrams of each other. An anagram of a string is a string that contains the same characters with a different (or the same) ordering.


Key Insights

  • Each character in both strings must match in frequency to form anagrams.
  • The difference in frequency for each character determines how many steps (additions) are needed.
  • We can utilize a hash table (or frequency array) to count characters in both strings.

Space and Time Complexity

Time Complexity: O(n + m), where n and m are the lengths of strings s and t, respectively.
Space Complexity: O(1), as the frequency count is limited to a fixed number of characters (26 lowercase English letters).


Solution

To solve the problem, we can use a frequency count for each character in both strings. The algorithm follows these steps:

  1. Create a frequency count for each character in string s.
  2. Create a frequency count for each character in string t.
  3. Compute the difference in frequencies for each character from a to z.
  4. The total number of steps required is the sum of the absolute differences in frequencies.

This approach effectively counts how many characters need to be added to either string to equalize their frequencies, thereby making them anagrams.


Code Solutions

def min_steps_to_anagram(s: str, t: str) -> int:
    # Frequency count for characters in both strings
    count_s = [0] * 26
    count_t = [0] * 26
    
    # Count characters in string s
    for char in s:
        count_s[ord(char) - ord('a')] += 1
    
    # Count characters in string t
    for char in t:
        count_t[ord(char) - ord('a')] += 1
    
    # Calculate the total number of steps needed
    steps = 0
    for i in range(26):
        steps += abs(count_s[i] - count_t[i])
    
    return steps
← Back to All Questions