我有两个结构,就像这样:
// init a struct for a single item
type Cluster struct {
Name string
Path string
}
// init a grouping struct
type Clusters struct {
Cluster []Cluster
}
我想要做的是将新项目追加到集群结构。所以我写了一个方法,就像这样:
func (c *Clusters) AddItem(item Cluster) []Cluster {
c.Cluster = append(c.Cluster, item)
return c.Cluster
}
我的应用程序的工作方式是,我遍历一些目录,然后附加最终目录的名称及其路径。我有一个函数,叫做:
func getClusters(searchDir string) Clusters {
fileList := make([]string, 0)
//clusterName := make([]string, 0)
//pathName := make([]string, 0)
e := filepath.Walk(searchDir, func(path string, f os.FileInfo, err error) error {
fileList = append(fileList, path)
return err
})
if e != nil {
log.Fatal("Error building cluster list: ", e)
}
for _, file := range fileList {
splitFile := strings.Split(file, "/")
// get the filename
fileName := splitFile[len(splitFile)-1]
if fileName == "cluster.jsonnet" {
entry := Cluster{Name: splitFile[len(splitFile)-2], Path: strings.Join(splitFile[:len(splitFile)-1], "/")}
c.AddItem(entry)
}
}
Cluster := []Cluster{}
c := Clusters{Cluster}
return c
}
这里的问题是我不知道执行此操作的正确方法。
当前,我得到:
cmd / directories.go:41:4:未定义:c
所以我试着移动它:
Cluster := []Cluster{}
c := Clusters{Cluster}
在for循环上方-range
。我得到的错误是:
cmd / directories.go:43:20:群集不是一种类型
我在这里做什么错了?
答案 0 :(得分:3)
错误是在您正在AddItem
函数内部未定义的群集方法接收器上调用getClusters
函数的循环中。在for循环之前定义Cluster
结构,然后按以下定义调用函数c.AddItem
:
func getClusters(searchDir string) Clusters {
fileList := make([]string, 0)
fileList = append(fileList, "f1", "f2", "f3")
ClusterData := []Cluster{}
c := Clusters{Cluster: ClusterData} // change the struct name passed to Clusters struct
for _, file := range fileList {
entry := Cluster{Name: "name" + file, Path: "path" + file}
c.AddItem(entry)
}
return c
}
您已经为Clusters
结构定义了相同的结构名称,这就是错误的原因
cmd / directories.go:43:20:群集不是一种类型
在Go playground上签出工作代码
在Golang Composite literal中,定义为:
复合文字会为结构,数组,切片和映射构造值,并在每次对其求值时创建一个新值。他们 由文字类型组成,后跟括号的列表 元素。每个元素可以可选地在对应的元素之后 键。
还可以查看上面链接中为Composite
文字定义的structliterals部分,以获取更多描述。
答案 1 :(得分:3)
您需要先定义c
,然后进入使用它的循环。
Cluster is not a type
错误是由于使用与类型和变量相同的Cluster
名称引起的,请尝试使用其他变量名称。
clusterArr := []Cluster{}
c := Clusters{clusterArr}
for _, file := range fileList {
....
}