hello-algo/en/codes/go/chapter_graph/graph_dfs.go

37 lines
1.1 KiB
Go

// File: graph_dfs.go
// Created Time: 2023-02-18
// Author: Reanon (793584285@qq.com)
package chapter_graph
import (
. "github.com/krahets/hello-algo/pkg"
)
/* Depth-first traversal helper function */
func dfs(g *graphAdjList, visited map[Vertex]struct{}, res *[]Vertex, vet Vertex) {
// The append operation returns a new reference, the original reference must be reassigned to the new slice reference
*res = append(*res, vet)
visited[vet] = struct{}{}
// Traverse all adjacent vertices of that vertex
for _, adjVet := range g.adjList[vet] {
_, isExist := visited[adjVet]
// Recursively visit adjacent vertices
if !isExist {
dfs(g, visited, res, adjVet)
}
}
}
/* Depth-first traversal */
// Use adjacency list to represent the graph, to obtain all adjacent vertices of a specified vertex
func graphDFS(g *graphAdjList, startVet Vertex) []Vertex {
// Vertex traversal sequence
res := make([]Vertex, 0)
// Hash set, used to record visited vertices
visited := make(map[Vertex]struct{})
dfs(g, visited, &res, startVet)
// Return the vertex traversal sequence
return res
}