How to initialize values for nested struct array in golang

前端 未结 3 1540
鱼传尺愫
鱼传尺愫 2021-02-12 18:04

My struct

type Result struct {
   name   string
   Objects []struct {
       id int
   }
}

Initialize values for this

func mai         


        
相关标签:
3条回答
  • 2021-02-12 18:45

    Objects contains no elements. You need to append element first. Like this:

    r.Objects = append(r.Objects, struct{ id int }{}) 
    

    Also you can omit r.Objects[0].id = 10; using initialization of your struct like this:

    r.Objects = append(r.Objects, struct{ id int }{ 10 })
    
    0 讨论(0)
  • 2021-02-12 18:47

    Firstly, I'd say it's more idiomatic to define a type for your struct, regardless of how simple the struct is. For example:

    type MyStruct struct {
        MyField int
    }
    

    This would mean changing your Result struct to be as follows:

    type Result struct {
        name   string
        Objects []MyStruct
    }
    

    The reason your program panics is because you're trying to access an area in memory (an item in your Objects array) that hasn't been allocated yet.

    For arrays of structs, this needs to be done with make.

    r.Objects = make([]MyStruct, 0)
    

    Then, in order to add to your array safely, you're better off instantiating an individual MyStruct, i.e.

    ms := MyStruct{
        MyField: 10,
    }
    

    And then appending this to your r.Objects array

    r.Objects = append(r.Objects, ms)
    

    For more information about make, see the docs

    0 讨论(0)
  • 2021-02-12 18:57

    After defining the struct as suggested in another answer:

    type MyStruct struct {
        MyField int
    }
    
    
    type Result struct {
        Name   string
        Objects []MyStruct
    }
    

    Then you can initialize a Result object like this:

    result := Result{
        Name: "I am Groot",
        Objects: []MyStruct{
            {
                MyField: 1,
            },
            {
                MyField: 2,
            },
            {
                MyField: 3,
            },
        },
    }
    

    Full code:

    package main
    
    import "fmt"
    
    func main() {
        result := Result{
            Name: "I am Groot",
            Objects: []MyStruct{
                {
                    MyField: 1,
                },
                {
                    MyField: 2,
                },
                {
                    MyField: 3,
                },
            },
        }
    
        fmt.Println(result)
    
    }
    
    type MyStruct struct {
        MyField int
    }
    
    type Result struct {
        Name    string
        Objects []MyStruct
    }
    

    You can verify this in this Go playground.

    0 讨论(0)
提交回复
热议问题