1347. Minimum Number of Steps to Make Two Strings Anagram
Problem Description
In this problem, you have two strings s
and t
of equal length. You're tasked with converting string t
into an anagram of string s
. An anagram is defined as a different arrangement of letters that are exactly the same in both strings. The way to do this is by choosing any character from t
and replacing it with another character. The goal is to achieve this in the minimum number of steps. A step is defined as one instance of changing a character in t
. The main question is to find out the least amount of steps necessary to turn t
into an anagram of s
.
Intuition
The intuitive approach to solving this problem is based on tracking the frequency of each character in both strings, and then determining how many characters in t
do not match the frequency needed to make an anagram of s
. Here's how we arrive at the solution:
- We first create a count (frequency) of all the characters in
s
using something like aCounter
or a dictionary. - We then iterate through each character in
t
, checking against our previously made frequency count. - If the character in
t
is found in the frequency count, and the count for that character is greater than 0, it means we already have this character ins
, so we decrement the count for that character. - If the character is not found or its count is already 0, it means this character is extra or not needed, so this is a character that needs to be replaced. Hence, we increment our answer which represents the number of changes needed.
- After iterating through all characters in
t
, the value of our answer will represent the minimum number of steps required to maket
an anagram ofs
.
Solution Approach
The implementation of the solution can be explained with the following steps:
-
Import the
Counter
class from thecollections
module.Counter
is a subclass of dictionary used for counting hashable objects, subtly simplifying the process of frequency computation for us. -
Define the
minSteps
function which accepts two stringss
andt
, representing the initial and target strings, where we want to convert stringt
into an anagram of strings
. -
Instantiate a
Counter
for the strings
to get the frequency of each character ins
. The resultingcnt
is a dictionary-like object wherecnt[c]
is the count of occurrences of characterc
in strings
. -
Initialize a variable
ans
to zero, which will be used to keep track of the number of changes we need to make int
to turn it into an anagram ofs
. -
Iterate over each character
c
int
:-
If
cnt[c]
is greater than zero, it implies that characterc
is present ins
and we haven't matched all occurrences ofc
ins
yet, so we decreasecnt[c]
by one, indicating that we've matched this instance ofc
int
with an instance ins
. -
If
cnt[c]
is zero orc
is not present, it implies thats
does not require this character or we already have enough of this character to matchs
(i.e., excess characters int
), and therefore, we incrementans
by one since this character needs to be replaced.
-
-
After the for-loop terminates,
ans
stores the total number of replacements needed fort
to become an anagram ofs
, and this value is returned.
Using these steps, the solution efficiently computes the minimum number of steps to make t
an anagram of s
, taking advantage of hash maps (in this case, the Counter
object) for fast access and update of character frequencies.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's consider a small example where s = "anagram"
and t = "mangaar"
. Our goal is to determine the minimum number of steps needed to transform t
into an anagram of s
.
-
First, using the
Counter
class to count the frequency of characters ins
, we would get:Counter('anagram') = {'a': 3, 'n': 1, 'g': 1, 'r': 1, 'm': 1}
-
We start with
ans = 0
. Thisans
keeps track of the required changes. -
We examine each character in
t
:- For the first character 'm',
Counter
fors
has{'m': 1}
. We match 'm' int
to one ins
, so we decrement by 1: nowCounter
is{'m': 0}
. - The next character is 'a',
Counter
has{'a': 3}
. After decrementing, it becomes{'a': 2}
. - The following two characters are 'n' and 'g',
Counter
for 'n' is{'n': 0}
and for 'g' is{'g': 0}
after decrementing since both are present once ins
. - Next, we have two 'a's, but
Counter
shows{'a': 2}
. After matching both,Counter
updates to{'a': 0}
. So far, no steps required as all characters matched. - The final letter in
t
is 'r', which is already matched ins
(Counter
for 'r'{'r': 0}
). Since it's extra, we need to replace it, incrementingans
to 1.
- For the first character 'm',
-
After examining all characters in
t
, ourans
equals 1. This means that we only need to replace one character int
to make it an anagram ofs
.
So, in this example, we only need a single step: replace the extra 'r' in t
with a missing 'm' to make t
an anagram of s
.
Solution Implementation
1from collections import Counter
2
3class Solution:
4 def minSteps(self, s: str, t: str) -> int:
5 # Create a Counter (multiset) for all characters in string 's'
6 char_count = Counter(s)
7
8 # Initialize a variable to count the number of steps
9 steps = 0
10
11 # Iterate over each character in string 't'
12 for char in t:
13 # If the character is in the counter and count is greater than 0
14 if char_count[char] > 0:
15 # Decrease the count for that character since it can be transformed
16 char_count[char] -= 1
17 else:
18 # If the character is not present or count is 0,
19 # increase the steps needed, as this requires an additional operation
20 steps += 1
21
22 # Return the total number of steps required to make 't' equal to 's'
23 return steps
24
1class Solution {
2 public int minSteps(String s, String t) {
3 // Initialize an array to count the frequency of each character in the string s
4 int[] charFrequency = new int[26];
5
6 // Populate the character frequency array with the count of each character in s
7 for (int i = 0; i < s.length(); ++i) {
8 charFrequency[s.charAt(i) - 'a']++;
9 }
10
11 // This variable will keep track of the minimum number of steps (character changes)
12 int minSteps = 0;
13
14 // Iterate over the string t and decrease the frequency of each character in the charFrequency array
15 for (int i = 0; i < t.length(); ++i) {
16 // If the character's frequency after decrementing is negative,
17 // it means that t has an extra occurrence of this character
18 // that is not matched by a character in s.
19 if (--charFrequency[t.charAt(i) - 'a'] < 0) {
20 // Since this character is extra and unneeded, increase the minSteps
21 minSteps++;
22 }
23 }
24 // Return the total minimum number of steps to make t an anagram of s
25 return minSteps;
26 }
27}
28
1class Solution {
2public:
3 // Function to find the minimum number of steps required to make the strings 's' and 't' anagrams
4 int minSteps(string s, string t) {
5 // Array to count the frequency of each character in the string 's'
6 int charCounts[26] = {0};
7
8 // Increment the frequency of each character found in the string 's'
9 for (char& ch : s) {
10 charCounts[ch - 'a']++;
11 }
12
13 // This will count the number of extra characters in the string 't' that aren't in string 's' or are in abundance
14 int extraChars = 0;
15
16 // Loop over the string 't'
17 for (char& ch : t) {
18 // If decrementing leads to a negative count, it means 't' has an extra character that 's' doesn't have or that it's in abundance
19 extraChars += --charCounts[ch - 'a'] < 0;
20 }
21
22 // The answer is the number of extra characters which need to be changed in 't' to make it an anagram of 's'
23 return extraChars;
24 }
25};
26
1// Function definition using TypeScript with explicit input and output types
2/**
3 * Determines the minimum number of steps to make two strings anagrams by replacing letters.
4 * @param {string} stringOne - The first string to be compared.
5 * @param {string} stringTwo - The second string to be compared.
6 * @returns {number} The minimum number of steps required to make the strings anagrams.
7 */
8const minSteps = (stringOne: string, stringTwo: string): number => {
9 // Initialize an array to count character frequencies for stringOne
10 const charCount = new Array(26).fill(0);
11
12 // Populate the character frequency array for stringOne
13 for (const char of stringOne) {
14 const index = char.charCodeAt(0) - 'a'.charCodeAt(0);
15 charCount[index]++;
16 }
17
18 // Initialize a counter for the number of steps needed
19 let steps = 0;
20
21 // Iterate through stringTwo and decrement the corresponding character count from stringOne
22 for (const char of stringTwo) {
23 const index = char.charCodeAt(0) - 'a'.charCodeAt(0);
24 // Increment steps if character count falls below zero, which indicates a character in stringTwo not present in stringOne
25 steps += --charCount[index] < 0 ? 1 : 0;
26 }
27
28 // Return the total number of steps required to make the two strings anagrams
29 return steps;
30};
31
Time and Space Complexity
Time Complexity
The time complexity of the code is determined by two main operations: the construction of the counter from string s
and the iteration over string t
.
- Constructing
cnt
usingCounter(s)
involves iterating over all characters ins
, which has a complexity ofO(N)
whereN
is the length ofs
. - The iteration over
t
also has a complexity ofO(M)
whereM
is the length oft
.
Combining these, the total time complexity of the code is O(N + M)
since the operations are sequential, not nested.
Space Complexity
The space complexity is primarily dictated by the space required to store the counter cnt
, which at most contains as many entries as there are unique characters in s
. If the character set is fixed (like ASCII or Unicode), this can be considered a constant O(1)
. However, if we consider the size of the character set U
(which could grow with the input size in some theoretical cases), the space complexity could also be considered O(U)
.
In practical programming scenarios where s
and t
consist of Unicode characters and the upper bound for U
is the size of the Unicode character set, which is a constant O(1)
as it doesn't change with the input size.
Combining the consideration for unique characters in the counter with any overhead for the storage structure, the overall space complexity is O(U)
which, in the context of Unicode, simplifies to O(1)
constant space complexity.
Learn more about how to find time and space complexity quickly using problem constraints.
What's the output of running the following function using the following tree as input?
1def serialize(root):
2 res = []
3 def dfs(root):
4 if not root:
5 res.append('x')
6 return
7 res.append(root.val)
8 dfs(root.left)
9 dfs(root.right)
10 dfs(root)
11 return ' '.join(res)
12
1import java.util.StringJoiner;
2
3public static String serialize(Node root) {
4 StringJoiner res = new StringJoiner(" ");
5 serializeDFS(root, res);
6 return res.toString();
7}
8
9private static void serializeDFS(Node root, StringJoiner result) {
10 if (root == null) {
11 result.add("x");
12 return;
13 }
14 result.add(Integer.toString(root.val));
15 serializeDFS(root.left, result);
16 serializeDFS(root.right, result);
17}
18
1function serialize(root) {
2 let res = [];
3 serialize_dfs(root, res);
4 return res.join(" ");
5}
6
7function serialize_dfs(root, res) {
8 if (!root) {
9 res.push("x");
10 return;
11 }
12 res.push(root.val);
13 serialize_dfs(root.left, res);
14 serialize_dfs(root.right, res);
15}
16
Recommended Readings
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Runtime Overview When learning about algorithms and data structures you'll frequently encounter the term time complexity This concept is fundamental in computer science and offers insights into how long an algorithm takes to complete given a certain input size What is Time Complexity Time complexity represents the amount of time
Want a Structured Path to Master System Design Too? Don’t Miss This!