struct UnionFind {
parent: Vec<usize>,
size: Vec<usize>,
min_and: Vec<i32>,
}
impl Solution {
pub fn minimum_cost(n: i32, edges: Vec<Vec<i32>>, query: Vec<Vec<i32>>) -> Vec<i32> {
let n = n as usize;
let mut uf = UnionFind::new(n);
// Process edges to construct the Union-Find structure
for edge in &edges {
let (u, v, w) = (edge[0] as usize, edge[1] as usize, edge[2]);
uf.union(u, v, w);
}
// Process queries efficiently
query.into_iter().map(|q| {
let (s, t) = (uf.find(q[0] as usize), uf.find(q[1] as usize));
if s == t { uf.min_and[s] } else { -1 }
}).collect()
}
}
impl UnionFind {
fn new(n: usize) -> Self {
UnionFind {
parent: (0..n).collect(),
size: vec![1; n],
min_and: vec![-1; n],
}
}
fn find(&mut self, x: usize) -> usize {
if self.parent[x] != x {
self.parent[x] = self.find(self.parent[x]); // Path compression
}
self.parent[x]
}
fn union(&mut self, a: usize, b: usize, weight: i32) {
let mut root_a = self.find(a);
let mut root_b = self.find(b);
if root_a != root_b {
// Union by size: attach the smaller tree under the larger tree
if self.size[root_a] < self.size[root_b] {
std::mem::swap(&mut root_a, &mut root_b);
}
self.parent[root_b] = root_a;
self.size[root_a] += self.size[root_b];
self.min_and[root_a] &= self.min_and[root_b];
}
// Update min_and for the new root
self.min_and[root_a] &= weight;
}
}