在没有定义结构的情况下将 YAML 动态转换为 JSON
您有一个要转换为 JSON 的动态 YAML 配置字符串。但是,您无法为 JSON 定义结构,因为数据结构未知。
要克服这一挑战,您可以使用 yaml.Unmarshal() 函数将 YAML 解析为 interface{} 值。这将生成具有默认 interface{} 类型的映射和切片的嵌套数据结构。
当您尝试使用 json.Marshal() 将此 interface{} 值转换回 JSON 时,就会出现问题。会失败,因为json.Marshal()不支持map[interface{}]interface{}类型。
要处理这种动态数据结构,需要递归转换map[interface{}]接口{} 值映射[string]interface{} 值。这可确保所有映射都具有 JSON 支持的字符串键。
以下是一个示例转换器函数:
func convert(i interface{}) interface{} { switch x := i.(type) { case map[interface{}]interface{}: m2 := map[string]interface{}{} for k, v := range x { m2[k.(string)] = convert(v) } return m2 case []interface{}: for i, v := range x { x[i] = convert(v) } } return i }
使用此函数,您可以将 interface{} 值转换为JSON 兼容的数据结构:
body = convert(body)
现在,您可以使用 json.Marshal() 将转换后的正文转换为 JSON string.
这是一个完整的示例:
func main() { const s = `Services: - Orders: - ID: $save ID1 SupplierOrderCode: $SupplierOrderCode - ID: $save ID2 SupplierOrderCode: 111111 ` var body interface{} if err := yaml.Unmarshal([]byte(s), &body); err != nil { panic(err) } body = convert(body) if b, err := json.Marshal(body); err != nil { panic(err) } else { fmt.Printf("Output: %s\n", b) } }
输出:
Output: {"Services":[{"Orders":[{"ID":"$save ID1","SupplierOrderCode":"$SupplierOrderCode"},{"ID":"$save ID2","SupplierOrderCode":111111}]}]}
请注意,JSON 输出中的元素顺序可能与原始 YAML 不同,因为Go 地图的无序性质。
以上是如何在没有预定义结构的情况下在 Go 中动态地将 YAML 转换为 JSON?的详细内容。更多信息请关注PHP中文网其他相关文章!