我怎样才能在golang中声明地图列表

时间:2017-11-06 04:59:50

标签: go

我没有得到如何在golang中格式化结构,以便我可以获得JSON格式的地图列表(键/值对)? 到目前为止,我尝试了这个

package main

import (
"encoding/json"
"fmt"
)

func main() {
map1 := map[string]interface{}{"dn": "abc", "status": "live", "version": 2, "xyz": 3}
map2, _ := json.Marshal(map1)
fmt.Println(string(map2))
}

这里只是打印键/值对...

  

{" DN":" ABC""状态":"活""版本":2 " XYZ":3}

但我需要这样的输出:

  

[{" DN":" ABC""状态":"活"},{"版本&#34 ;:2" XYZ":3}]

1 个答案:

答案 0 :(得分:8)

正如@Volker所建议的那样,你应该使用切片地图:

package main

import (
    "fmt"
    "encoding/json"
)

// M is an alias for map[string]interface{}
type M map[string]interface{}

func main() {
    var myMapSlice []M

    m1 := M{"dn": "abc", "status": "live"}

    m2 := M{"version": 2, "xyz": 3}

    myMapSlice = append(myMapSlice, m1, m2)

    // or you could use `json.Marshal(myMapSlice)` if you want
    myJson, _ := json.MarshalIndent(myMapSlice, "", "    ")
    fmt.Println(string(myJson))
}

输出:

[
    {
        "dn": "abc",
        "status": "live"
    },
    {
        "version": 2,
        "xyz": 3
    }
]

从代码中,我使用了map[string]interface{}的别名,以便初始化界面地图更方便。

代码链接:https://play.golang.org/p/gu3xafnAyG