summary
- This problem involves finding the maximum number of edges that can be removed from an undirected graph so that it can still be fully traversed by both Alice and Bob.
approach
- The approach used in this solution is to first separate the edges into three types: Type 1 (can be traversed by Alice only), Type 2 (can be traversed by Bob only), and Type 3 (can be traversed by both Alice and Bob)
- Then, we use disjoint sets to keep track of the connected components of the graph for each type of edge
- We remove the maximum number of edges of Type 3 while ensuring that the graph remains fully traversable by both Alice and Bob.
complexity
- O(n log n + m log m + n log n) where n is the number of nodes and m is the number of edges
explain
- The solution starts by separating the edges into three types and initializing two disjoint sets for Alice and Bob
- It then sorts the edges of each type by their type and uses the disjoint sets to keep track of the connected components of the graph
- The solution then removes the maximum number of edges of Type 3 while ensuring that the graph remains fully traversable by both Alice and Bob
- If the graph is not fully traversable, the solution returns -1
- The time complexity is O(n log n + m log m + n log n) due to the sorting and disjoint set operations.
Solution Code:
class Solution {
public:
int u1[100001];
int u2[100001];
vector> edgesType1;
vector> edgesType2;
static bool cmp1(vector &a, vector &b){
return a[0] > b[0];
}
static bool cmp2(vector &a, vector &b){
return a[0] > b[0];
}
int disjoint(int* u, int x){
if(u[x] == x) return x;
return u[x] = disjoint(u, u[x]);
}
int maxNumEdgesToRemove(int n, vector>& edges) {
edgesType1.clear();
edgesType2.clear();
int edgeSize = edges.size();
for(int i = 1; i <= n; i++){
u1[i] = i;
u2[i] = i;
}
for(int i = 0; i < edges.size(); i++){
if(edges[i][0] == 1){
edgesType1.push_back(edges[i]);
} else if (edges[i][0] == 2){
edgesType2.push_back(edges[i]);
} else{
edgesType1.push_back(edges[i]);
edgesType2.push_back(edges[i]);
}
}
sort(edgesType1.begin(), edgesType1.end(), cmp1);
sort(edgesType2.begin(), edgesType2.end(), cmp2);
int type3 = 0;
int cnt = 0;
for (int idx = 0 ; idx < edgesType1.size(); idx++) {
int type = edgesType1[idx][0];
int a = edgesType1[idx][1];
int b = edgesType1[idx][2];
if(disjoint(u1, a) == disjoint(u1, b)){
continue;
}
cnt++;
u1[disjoint(u1, a)] = disjoint(u1, b);
if (type == 3){
type3 += 1;
}
if (cnt == n -1) break;
}
if (cnt != n-1) return -1;
cnt = 0;
for (int idx = 0 ; idx < edgesType2.size(); idx++) {
int type = edgesType2[idx][0];
int a = edgesType2[idx][1];
int b = edgesType2[idx][2];
if(disjoint(u2, a) == disjoint(u2, b)){
continue;
}
cnt++;
u2[disjoint(u2, a)] = disjoint(u2, b);
if (cnt == n -1) break;
}
if (cnt != n-1) return -1;
return edges.size() - (n - 1) - (n - 1) + type3;
}
};