将数据从一个 golang 切片结构复制到另一个切片结构
copy data from one golang slice struct to another slice strcut
您好,我有 json 数据,我将其解组到 machines
切片。现在我正在寻找 copy/append 每个 hostname
从 machines
slice struct 到 service
Struct []hosts 。我尝试了几种方法,但努力迭代 []hosts slice in service
struct .
只是想知道将值从一个切片结构复制到其他结构中的另一个切片值的最佳方法是什么。
package main
import (
"encoding/json"
"fmt"
)
type Machine struct {
hostname string
Ip string
Name string
}
type Host struct {
HostName string `json:"host_name"`
Vars Var `json:"vars"`
}
type Service struct {
ServiceName string `json:"service_name"`
Required bool `json:"required"`
Hosts []Host `json:"hosts"`
Vars Var `json:"vars"`
}
func main() {
machineInfo := `[{"dns":"1.1.1.1.eu-south-1.compute.amazonaws.com","ip":"1.1.1.1","name":"Machine-1"},{"dns":"1.1.1.2.eu-south-1.compute.amazonaws.com","ip":"1.1.1.2","name":"Machine-2"}]`
var machines []Machine
var mService *Service
//convert the json to byts slice and then
json.Unmarshal([]byte(machineInfo), &machines)
//Data is now add to the structs
for i, _ := range machines {
mService.Hosts = append(mService.Hosts, machines[i].hostname)
}
fmt.Printf("Machines : %v", mService)
data, _ := json.Marshal(mService)
fmt.Println(string(data))
}
让我们从头开始:
通过大写导出主机名字段。 JSON 解码器忽略意外字段。另外,添加一个标签,使该字段与文档相匹配:
type Machine struct {
Hostname string `json:"name"`
Ip string
Name string
}
将 mServices 声明为一个值以避免 nil 指针恐慌:
var mService Service
使用复合文字表达式创建用于附加到切片的主机:
mService.Hosts = append(mService.Hosts, Host{HostName: machines[i].Hostname})
您好,我有 json 数据,我将其解组到 machines
切片。现在我正在寻找 copy/append 每个 hostname
从 machines
slice struct 到 service
Struct []hosts 。我尝试了几种方法,但努力迭代 []hosts slice in service
struct .
只是想知道将值从一个切片结构复制到其他结构中的另一个切片值的最佳方法是什么。
package main
import (
"encoding/json"
"fmt"
)
type Machine struct {
hostname string
Ip string
Name string
}
type Host struct {
HostName string `json:"host_name"`
Vars Var `json:"vars"`
}
type Service struct {
ServiceName string `json:"service_name"`
Required bool `json:"required"`
Hosts []Host `json:"hosts"`
Vars Var `json:"vars"`
}
func main() {
machineInfo := `[{"dns":"1.1.1.1.eu-south-1.compute.amazonaws.com","ip":"1.1.1.1","name":"Machine-1"},{"dns":"1.1.1.2.eu-south-1.compute.amazonaws.com","ip":"1.1.1.2","name":"Machine-2"}]`
var machines []Machine
var mService *Service
//convert the json to byts slice and then
json.Unmarshal([]byte(machineInfo), &machines)
//Data is now add to the structs
for i, _ := range machines {
mService.Hosts = append(mService.Hosts, machines[i].hostname)
}
fmt.Printf("Machines : %v", mService)
data, _ := json.Marshal(mService)
fmt.Println(string(data))
}
让我们从头开始:
通过大写导出主机名字段。 JSON 解码器忽略意外字段。另外,添加一个标签,使该字段与文档相匹配:
type Machine struct {
Hostname string `json:"name"`
Ip string
Name string
}
将 mServices 声明为一个值以避免 nil 指针恐慌:
var mService Service
使用复合文字表达式创建用于附加到切片的主机:
mService.Hosts = append(mService.Hosts, Host{HostName: machines[i].Hostname})