Check if two array of string are equal by performing swapping operations
Given two arrays arr[] and brr[] of the same size containing strings of equal lengths. In one operation any two characters from any string in brr[] can be swapped with each other or swap any two strings in brr[]. The task is to find whether brr[] can be made equal to arr[] or not.
Example:
Attention reader! Don’t stop learning now. Get hold of all the important DSA concepts with the DSA Self Paced Course at a student-friendly price and become industry ready. To complete your preparation from learning a language to DS Algo and many more, please refer Complete Interview Preparation Course.
In case you wish to attend live classes with experts, please refer DSA Live Classes for Working Professionals and Competitive Programming Live for Students.
Input: arr[] = “bcd”, “aac” , brr[] = “aca”, “dbc”
Output: true
Explanation: The following swapping operations are performed in brr[] to make arr[] equal to brr[].
swap ( brr[0][1], brr[0][2] ) –> brr[0] changes to “aac”, which is equal to arr[1].
swap ( brr[1][0], brr[1][1] ) –> brr[1] changes to “bdc”.
swap (brr[1][1], brr[1][2]) –> brr[1] changes to “bcd”, which is equal to arr[0].
swapping ( brr[0], brr[1] ) which changes brr[] to “bcd”, “aac” which is equal to arr[].Therefore, brr[] can be made equal to arr[] by doing above operations.
Input: arr[] = “ab”, “c” , brr = “ac”, “b”
Output: false
Approach: The given problem can be solved by using the Greedy approach. Two strings can be made equal by swapping only if the frequency of each character in one string is equal to the other string. If both strings are sorted then all the characters are arranged and then just seeing whether the two sorted strings are equal or not will the answer. Follow the steps below to solve the given problem.
- Sort each string in arr[] as well as in brr[].
- Sort arr[] and brr[].
- Iterate in arr[] with variable i and for each i
- Check whether arr[i] == brr[i].
- if true, continue comparing the remaining strings.
- if false, it means there is at least one string that is not in brr[]. Therefore return false.
- Check whether arr[i] == brr[i].
- After checking, return true as the final answer.
Below is the implementation of the above approach:
C++14
|
|
Time Complexity: O(2* (N * logN) + 2 * (N * logM) ), where N is the size of array and M is the size of each string.
Auxiliary Space: O(1)
