我可以使用Go向现有结构添加字段吗?

时间:2015-03-12 20:45:53

标签: go

假设我有结构

type Planet struct {
    Name       string  `json:"name"`
    Aphelion   float64 `json:"aphelion"`   // in million km
    Perihelion float64 `json:"perihelion"` // in million km
    Axis       int64   `json:"Axis"`       // in km
    Radius     float64 `json:"radius"`
}

以及此结构的实例,例如

var mars = new(Planet)
mars.Name = "Mars"
mars.Aphelion = 249.2
mars.Perihelion = 206.7
mars.Axis = 227939100
mars.Radius = 3389.5

var earth = new(Planet)
earth.Name = "Earth"
earth.Aphelion = 151.930
earth.Perihelion = 147.095
earth.Axis = 149598261
earth.Radius = 6371.0

var venus = new(Planet)
venus.Name = "Venus"
venus.Aphelion = 108.939
venus.Perihelion = 107.477
venus.Axis = 108208000
venus.Radius = 6051.8

现在我要添加一个字段,例如所有这些Mass。我怎么能这样做?

目前,我定义了一个新的结构,例如PlanetWithMass并将所有字段(逐字段)重新分配给PlanetWithMass的新实例。

有一种不那么冗长的方式吗? Planet更改时不需要调整的方法吗?

编辑:我在Web服务器上需要这个,我必须将结构作为JSON发送,但是需要一个额外的字段。嵌入不能解决此问题,因为它会更改生成的JSON。

2 个答案:

答案 0 :(得分:14)

您可以将Planet嵌入PlanetWithMass

type PlanetWithMass struct {
    Planet
    Mass float64
}

并执行类似

的操作
marsWithMass := PlanetWithMass{
    Planet: mars,
    Mass: 639e21,
}

有关嵌入的详细信息,请参阅SpecEffective Go

Playground

答案 1 :(得分:0)

您可能可以使用 map [string] string ,这将使您能够显式添加尽可能多的子键。注意:您必须首先使用一种类型声明该结构

type PlanetWithMass struct { Planet map[string]string }

然后添加更多字段,以struct的实例开头

type PlanetWithMass struct {
  Planet map[string]string
}

planet := &PlanetWithMass{} // instance of struct

planet.Planet = make(map[string]string) // declare field as a map[string]string

planet.Planet["Name"] = "Mercury"
planet.Planet["Galaxy"] = "Milky Way"
planet.Planet["Distance"] = 288888
planet.Planet["Radius"] = 1290

使用此方法,您可以在结构中添加几个字段,而不必担心使用接口。可能是一轮黑客攻击,但确实有效!