Go:在结构中声明一个切片?

时间:2016-04-02 22:36:15

标签: go struct slice

我有以下代码:

type room struct {
    width float32
    length float32
}
type house struct{
    s := make([]string, 3)
    name string
    roomSzSlice := make([]room, 3)
} 

func main() {


}

当我尝试构建并运行它时,我收到以下错误:

c:\go\src\test\main.go:10: syntax error: unexpected :=
c:\go\src\test\main.go:11: non-declaration statement outside function body
c:\go\src\test\main.go:12: non-declaration statement outside function body
c:\go\src\test\main.go:13: syntax error: unexpected }

我做错了什么?

谢谢!

2 个答案:

答案 0 :(得分:4)

您可以在结构声明中声明切片,但无法对其进行初始化。你必须通过不同的方式做到这一点。

// Keep in mind that lowercase identifiers are
// not exported and hence are inaccessible
type House struct {
    s []string
    name string
    rooms []room
}

// So you need accessors or getters as below, for example
func(h *House) Rooms()[]room{
    return h.rooms
}

// Since your fields are inaccessible, 
// you need to create a "constructor"
func NewHouse(name string) *House{
    return &House{
        name: name,
        s: make([]string, 3),
        rooms: make([]room, 3),
    }
}

请参阅上面的 runnable example on Go Playground

修改

要按照评论中的要求部分初始化结构,可以简单地更改

func NewHouse(name string) *House{
    return &House{
        name: name,
    }
}

请再次以 runnable example on Go Playground 查看以上内容

答案 1 :(得分:0)

首先,您不能在结构内部分配/初始化。 :=运算符声明并分配。但是,您可以简单地获得相同的结果。

这是一个简单,琐碎的例子,可以粗略地做你正在尝试的事情:

type house struct {
    s []string
}

func main() {
    h := house{}
    a := make([]string, 3)
    h.s = a
}

我从来没有用这种方式写过,但如果它能达到你的目的......无论如何它都会编译。