Go 中使用字符串拆分自定义解组
将 JSON 解组为 Go 结构时,默认行为是将 JSON 值转换为相应的结构字段。但是,在某些情况下,您可能需要在解组过程中执行自定义转换。
考虑一个 JSON 对象,其中“主题”表示为逗号分隔的字符串。要将其解组到 Go 结构中,并将“subjects”作为字符串切片,您需要在解组过程中拆分字符串。
一种方法是使用 json 为“subjects”字段实现自定义解组器。解组器接口。以下是实现此目的的方法:
type SubjectSlice []string // UnmarshalJSON implements custom unmarshalling for SubjectSlice. func (s *SubjectSlice) UnmarshalJSON(data []byte) error { var subjects string err := json.Unmarshal(data, &subjects) if err != nil { return err } *s = strings.Split(subjects, "-") return nil }
在结构定义中,为“subjects”字段使用自定义切片类型:
type Student struct { StudentNumber int Name string Subjects SubjectSlice }
当您使用此自定义解组 JSON 时解组器时,“subjects”字段将自动拆分为字符串切片。
例如,考虑以下 JSON:
{"student_number":1234567, "name":"John Doe", "subjects":"Chemistry-Maths-History-Geography"}
使用自定义解组器将其解组到 Student 结构中会导致:
s := Student{ StudentNumber: 1234567, Name: "John Doe", Subjects: []string{"Chemistry", "Maths", "History", "Geography"}, }
通过实现自定义解组器,您可以在解组过程中处理复杂的数据转换,使其成为处理 JSON 中的自定义数据结构的强大工具。
以上是如何使用自定义解组将逗号分隔的字符串解组到 Go 中的切片中?的详细内容。更多信息请关注PHP中文网其他相关文章!