解题思路: 查看一组方程式里面逻辑是否相通,利用合并集可以很直观的解决这个问题。 合并集:简单理解为表示两个节点直接是否连通。
class Solution {
public boolean equationsPossible(String[] equations) {
UF uf = new UF(26);
for(String i : equations){
if(i.charAt(1) == '='){
char x = i.charAt(0);
char y = i.charAt(3);
uf.union(x - 'a', y - 'a');
}
}
for (String i : equations){
if (i.charAt(1) == '!'){
char x = i.charAt(0);
char y = i.charAt(3);
if(uf.connected(x - 'a', y - 'a'))
return false;
}
}
return true;
}
}
合并集 class:
方法 | 描述 |
---|
union(p, q) | 连通两个节点 | find( p ) | 找到当前节点 | connected(p, q) | 判断是否连通 | count | 返回连通个数 |
class UF{
private int count;
private int[] parent;
private int[] size;
public UF(int n ){
this.count = n;
parent = new int[n];
size = new int[n];
for(int i = 0; i < n; i++){
parent[i] = i;
size[i] = 1;
}
}
public void union(int p, int q){
int rootP = find(p);
int rootQ = find(q);
if(rootP == rootQ) return;
if(size[rootP] > size[rootQ]){
parent[rootQ] = rootP;
size[rootP] += size[rootQ];
}else{
parent[rootP] = rootQ;
size[rootQ] += size[rootP];
}
count--;
}
public int find(int x){
while(parent[x] != x){
parent[x] = parent[parent[x]];
x = parent[x];
}
return x;
}
public boolean connected(int p, int q) {
int rootP = find(p);
int rootQ = find(q);
return rootP == rootQ;
}
public int count(){
return count;
}
}
|