【算法】并查集(Disjoint Set)[共3講]

Golang版本代碼
package main
import "fmt"
const VERTICES = 6
func initialise(parent []int) {
for i := 0; i < VERTICES; i++ {
parent[i] = -1
}
}
func find_root(x int, parent []int) int {
x_root := x
for parent[x_root] != -1 {
x_root = parent[x_root]
}
return x_root
}
func union_vertices(x, y int, parent, rank []int) int {
x_root := find_root(x, parent)
y_root := find_root(y, parent)
if x_root == y_root {
return 0
} else {
if rank[x_root] > rank[y_root] {
parent[y_root] = x_root
} else if rank[y_root] > rank[x_root] {
parent[x_root] = y_root
} else {
parent[x_root] = y_root
rank[y_root]++
}
}
return 1
}
func main() {
parent := make([]int, VERTICES, VERTICES)
rank := make([]int, VERTICES, VERTICES)
edges := [][]int{
{0, 1}, {1, 2}, {1, 3},
{3, 4}, {2, 5},
}
initialise(parent)
for _, edge := range edges {
x := edge[0]
y := edge[1]
if union_vertices(x, y, parent, rank) == 0 {
fmt.Println("Cycle detected!")
return
}
}
fmt.Println("No cycles found.")
}