1
0
Fork 0
mirror of https://gitlab.com/mfocko/LeetCode.git synced 2024-09-19 17:56:55 +02:00
LeetCode/rs/isomorphic-strings.rs

28 lines
747 B
Rust
Raw Normal View History

use std::collections::{HashMap, HashSet};
impl Solution {
pub fn is_isomorphic(s: String, t: String) -> bool {
let mut projection: HashMap<char, char> = HashMap::new();
let mut used: HashSet<char> = HashSet::new();
for (l, r) in s.chars().zip(t.chars()) {
match projection.get(&l) {
Some(&expected_r) if expected_r != r => {
return false;
}
None => {
if used.contains(&r) {
return false;
}
projection.insert(l, r);
used.insert(r);
}
_ => { /* no-op */ }
}
}
true
}
}