我正在尝试使用 Go 实现 DFS(深度优先搜索)算法,但我的实际代码需要逐个节点添加以手动构建树。我想用这个数据(例子)读取一个文本文件:
75
95 64
17 47 82
18 35 87 10
20 04 83 47 65
并用这些值构建树。根值将是 75,左 95,右 64,依此类推。
这是我的完整代码:
// Package main implements the DFS algorithm
package main
import (
"bufio"
"flag"
"fmt"
"log"
"os"
"strconv"
"strings"
"sync"
)
// Node handle all the tree data
type Node struct {
Data interface {}
Left *Node
Right *Node
}
// NewNode creates a new node to the tree
func NewNode(data interface{}) *Node {
node := new(Node)
node.Data = data
node.Left = nil
node.Right = nil
return node
}
// FillNodes create all the nodes based on each value on file
func FillNodes(lines *[][]string) {
nodes := *lines
rootInt, _ := strconv.Atoi(nodes[0][0])
root := NewNode(rootInt)
// add the values here
wg.Add(1)
go root.DFS()
wg.Wait()
}
// ProcessNode checks and print the actual node
func (n *Node) ProcessNode() {
defer wg.Done()
var hello []int
for i := 0; i < 10000; i++ {
hello = append(hello, i)
}
fmt.Printf("Node %v\n", n.Data)
}
// DFS calls itself on each node
func (n *Node) DFS() {
defer wg.Done()
if n == nil {
return
}
wg.Add(1)
go n.Left.DFS()
wg.Add(1)
go n.ProcessNode()
wg.Add(1)
go n.Right.DFS()
}
// CheckError handle erros check
func CheckError(err error) {
if err != nil {
log.Fatal(err)
}
}
// OpenFile handle reading data from a text file
func OpenFile() [][]string {
var lines [][]string
ftpr := flag.String("fpath", "pyramid2.txt", "./pyramid2.txt")
flag.Parse()
f, err := os.Open(*ftpr)
CheckError(err)
defer func() {
if err := f.Close(); err != nil {
log.Fatal(err)
}
}()
s := bufio.NewScanner(f)
for s.Scan() {
line := strings.Fields(s.Text())
lines = append(lines, line)
}
err = s.Err()
CheckError(err)
return lines
}
什么是可能的解决方案?另外,我如何以简单的方式将所有这些字符串转换为 int ?
有只小跳蛙
相关分类