1
0
Fork 0
mirror of https://gitlab.com/mfocko/LeetCode.git synced 2024-09-19 01:36:57 +02:00

go: add «1579. Remove Max Number of Edges to Keep Graph Fully Traversable»

Signed-off-by: Matej Focko <me@mfocko.xyz>
This commit is contained in:
Matej Focko 2024-06-30 12:34:59 +02:00
parent 92c5bae5aa
commit 5bb1c156a4
Signed by: mfocko
SSH key fingerprint: SHA256:icm0fIOSJUpy5+1x23sfr+hLtF9UhY8VpMC7H4WFJP8

View file

@ -0,0 +1,104 @@
package main
import (
"cmp"
"slices"
)
type UnionFind struct {
parent []int
rank []int
count int
}
func (uf *UnionFind) Count() int {
return uf.count
}
func (uf *UnionFind) find(u int) int {
if uf.parent[u] != u {
uf.parent[u] = uf.find(uf.parent[u])
}
return uf.parent[u]
}
func (uf *UnionFind) Union(u, v int) bool {
rootU := uf.find(u)
rootV := uf.find(v)
if rootU == rootV {
return false
}
if uf.rank[rootU] > uf.rank[rootV] {
uf.parent[rootV] = rootU
} else if uf.rank[rootU] < uf.rank[rootV] {
uf.parent[rootU] = rootV
} else {
uf.parent[rootV] = rootU
uf.rank[rootU]++
}
uf.count--
return true
}
func makeUnionFind(n int) UnionFind {
parent := make([]int, n)
for i := range n {
parent[i] = i
}
return UnionFind{
parent: parent,
rank: make([]int, n),
count: n,
}
}
const (
Alice int = 1
Bob = 2
Both = 3
)
// by edge type — preferring «Both» type
func byEdgeType(l, r []int) int {
return -cmp.Compare(l[0], r[0])
}
func maxNumEdgesToRemove(n int, edges [][]int) int {
slices.SortFunc(edges, byEdgeType)
alice := makeUnionFind(n)
bob := makeUnionFind(n)
added := 0
for _, edge := range edges {
t, u, v := edge[0], edge[1]-1, edge[2]-1
switch t {
case Alice:
if alice.Union(u, v) {
added++
}
case Bob:
if bob.Union(u, v) {
added++
}
case Both:
connectsAlice := alice.Union(u, v)
connectsBob := bob.Union(u, v)
if connectsAlice || connectsBob {
added++
}
}
}
if alice.Count() > 1 || bob.Count() > 1 {
return -1
}
return len(edges) - added
}