登录
首页 >  Golang >  Go问答

在没有结构的情况下将 yaml 转换为 json

来源:Golang技术栈

时间:2023-03-20 20:02:12 435浏览 收藏

golang学习网今天将给大家带来《在没有结构的情况下将 yaml 转换为 json》,感兴趣的朋友请继续看下去吧!以下内容将会涉及到golang等等知识点,如果你是正在学习Golang或者已经是大佬级别了,都非常欢迎也希望大家都能给我建议评论哈~希望能帮助到大家!

问题内容

Services: 
-   Orders: 
    -   ID: $save ID1
        SupplierOrderCode: $SupplierOrderCode
    -   ID: $save ID2
        SupplierOrderCode: 111111

我想将此 yaml 字符串转换为 json,因为源数据是动态的,所以我无法将其映射到结构:

var body interface{}
err := yaml.Unmarshal([]byte(s), &body)

然后我想再次将该接口转换为 json 字符串:

b, _ := json.Marshal(body)

但是出现错误:

panic: json: unsupported type: map[interface {}]interface {}

正确答案

前言: 我对以下解决方案进行了优化和改进,并在此处将其作为库发布:github.com/icza/dyno. 以下convert()功能可作为dyno.ConvertMapI2MapS().


问题是,如果您使用最通用的类​​型进行解组,则包用于解组键值对interface{}的默认类型将是.github.com/go- yaml/yamlmap[interface{}]interface{}

第一个想法是使用map[string]interface{}

var body map[string]interface{}

但是,如果 yaml 配置的深度超过 1,则此尝试会失败,因为此body映射将包含其他映射,其类型将再次为map[interface{}]interface{}.

问题是深度未知,可能还有地图以外的其他值,所以map[string]map[string]interface{}不好用。

一种可行的方法是让yamlunmarshal 转换为 type 的值,并 递归地interface{}遍历结果,并将遇到的每个转换为一个值。地图和切片都必须处理。 __map[interface{}]interface{}``map[string]interface{}

这是此转换器功能的示例:

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
}

并使用它:

func main() {
    fmt.Printf("Input: %s\n", s)
    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)
    }
}

const s = `Services:
-   Orders:
    -   ID: $save ID1
        SupplierOrderCode: $SupplierOrderCode
    -   ID: $save ID2
        SupplierOrderCode: 111111
`

输出:

Input: Services:
-   Orders:
    -   ID: $save ID1
        SupplierOrderCode: $SupplierOrderCode
    -   ID: $save ID2
        SupplierOrderCode: 111111

Output: {"Services":[{"Orders":[
    {"ID":"$save ID1","SupplierOrderCode":"$SupplierOrderCode"},
    {"ID":"$save ID2","SupplierOrderCode":111111}]}]}

需要注意的一件事:通过 Go 映射从 yaml 切换到 JSON,您将失去项目的顺序,因为 Go 映射中的元素(键值对)没有排序。这可能是也可能不是问题。

终于介绍完啦!小伙伴们,这篇关于《在没有结构的情况下将 yaml 转换为 json》的介绍应该让你收获多多了吧!欢迎大家收藏或分享给更多需要学习的朋友吧~golang学习网公众号也会发布Golang相关知识,快来关注吧!

声明:本文转载于:Golang技术栈 如有侵犯,请联系study_golang@163.com删除
相关阅读
更多>
最新阅读
更多>
课程推荐
更多>