>백엔드 개발 >Golang >데이터 무결성을 잃지 않고 Go에서 YAML을 JSON으로 안전하게 변환하는 방법은 무엇입니까?

데이터 무결성을 잃지 않고 Go에서 YAML을 JSON으로 안전하게 변환하는 방법은 무엇입니까?

Barbara Streisand
Barbara Streisand원래의
2024-12-01 18:02:12208검색

How to Safely Convert YAML to JSON in Go Without Losing Data Integrity?

구조체 바인딩 없이 YAML을 JSON으로 변환

YAML 형식의 동적 데이터로 작업할 때 추가 처리를 위해 JSON으로 변환해야 하는 경우가 많습니다. 그러나 YAML을 빈 인터페이스로 직접 역마샬링하면{} 주어진 시나리오에서 볼 수 있듯이 map[인터페이스{}]인터페이스{} 유형을 만날 때 문제가 발생할 수 있습니다.

해결책: 재귀 유형 변환

이 문제를 해결하기 위해 변환()이라는 재귀 함수가 사용됩니다. 이 함수는 인터페이스{} 값을 반복하고 다음 변환을 수행합니다.

  • map[interface{}]interface{} 값을 map[string]interface{}로 변환합니다.
  • []interface{} 값을 []interface{}로 변환합니다.

이렇게 하면 출력되는 값은 JSON 문자열로 안전하게 마샬링될 수 있습니다.

다음은 변환() 함수를 사용하는 방법에 대한 예입니다.

import (
    "fmt"
    "log"

    "github.com/go-yaml/yaml"
    "encoding/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
}

func main() {
    // Define the YAML string
    const s = `Services:
    -   Orders: 
        -   ID: $save ID1
            SupplierOrderCode: $SupplierOrderCode
        -   ID: $save ID2
            SupplierOrderCode: 111111
    `

    // Unmarshal the YAML string into an empty interface
    var body interface{}
    if err := yaml.Unmarshal([]byte(s), &body); err != nil {
        log.Fatal(err)
    }

    // Recursively convert the interface to a map[string]interface{}
    body = convert(body)

    // Marshal the converted interface into a JSON string
    if b, err := json.Marshal(body); err != nil {
        log.Fatal(err)
    } else {
        fmt.Println("Converted JSON:", string(b))
    }
}

출력

프로그램의 출력은 변환된 것입니다. JSON:

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

Notes

  • Go 맵으로 변환하면 요소의 순서가 손실되므로 순서가 중요한 시나리오에는 적합하지 않을 수 있습니다.
  • convert() 함수의 최적화되고 개선된 버전이 github.com/icza/dyno에 라이브러리로 출시되었습니다. 동적 YAML 데이터를 처리하기 위한 편리성과 유연성을 제공합니다.

위 내용은 데이터 무결성을 잃지 않고 Go에서 YAML을 JSON으로 안전하게 변환하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.