Asked 8 months ago
0Comments
1 Views
We want to know if we can turn "EGG" into "ADD" by replacing letters, but we have to follow some special rules:
E -> A
G -> D
EGG -> ADD
Let's try it:
P -> T
A -> I
P -> T (already done)
E -> L
R -> E
PAPER -> TITLE
But what about "FOO" and "BAR"?
F -> B
O -> A
O -> ?
Uh oh! We have a problem. We already used 'A' for the second letter, so we can't use it again for the third letter. There's no way to make this work, so......
The trick is to make sure that:
class Solution {
public:
bool isIsomorphic(string s, string t) {
int hash[256] = {0} ;
bool isSecondCharsMapped[256] = {0};
// stores if t[i] is mapped wiht s[i]
// also checks if mapping already happend or not
for(int i =0 ; i< s.size() ; i++){
if(hash[s[i]]==0 && isSecondCharsMapped[t[i]] == 0 ){
// then Map
hash[s[i]] = t[i] ;
isSecondCharsMapped[t[i]] = true ;
}
}
for(int i= 0 ; i<s.size() ; i++){
if(hash[s[i]] != t[i]){
return false ;
}
}
return true ;
}
};
The clever part of your solution is:
hash
box to remember what each letter should change into.isSecondCharsMapped
box to make sure we don't use the same disguise twice.Feel free to checkout one more problem with similar approch !
Share