我在另一个struct中使用一组结构时遇到问题。问题是,当我在下面的函数中使用来自JSON数据的数据填充结构时,它被正确填充。当我直接尝试在新循环内访问循环外的数据时,数据不存在。所以我想我填充复制的数据结构而不是对它的引用,所以它只在第一个循环中有效。虽然我试图为它分配内存,但仍然是同样的问题。
我想我在某处失败并需要指示。请参阅以下代码段中的一些评论。
type Spaces struct {
Items []*Space `json:"items"`
}
type Space struct {
Id string `json:"id"`
Messages []Message `json:"items"`
}
type Messages struct {
Items []Message `json:"items"`
}
// spaces are marshalled first so that there is a array of spaces
// with Id set. Then the function below is called.
func FillSpaces(space_id string) {
for _,s := range spaces.Items {
if s.Id == space_id {
// I tried to allocate with: s.Messages = &Messages{} without any change.
json.Unmarshal(f, &s) // f is JSON data
fmt.Printf(" %s := %v\n", s.Id, len(s.Messages))) // SomeId := X messages (everything seems fine!)
break
}
}
// Why is the messages array empty here when it was not empty above?
for _,s := range spaces.Items {
if s.Id == space_id {
fmt.Printf("%v", len(s.Messages))) // Length is 0!?
}
}
}
答案 0 :(得分:4)
应用程序正在解组循环中定义的变量s
。而是对切片元素进行解组:
for i, s := range spaces.Items {
if s.Id == space_id {
err := json.Unmarshal(f, &spaces.Items[i]) // <-- pass pointer to element
if err != nil {
// handle error
}
break
}
}