중첩 된 JSON 개체 역 마샬링


122

있다 몇 가지 질문주제는 하지만 그들 중 누구도 따라서 나는 새로운 하나를 만드는거야, 내 경우를 다루 보이지 않는다.

다음과 같은 JSON이 있습니다.

{"foo":{ "bar": "1", "baz": "2" }, "more": "text"}

중첩 된 막대 속성을 마샬링 해제하고 중첩 된 구조체를 만들지 않고 구조체 속성에 직접 할당하는 방법이 있습니까?

지금 채택하고있는 솔루션은 다음과 같습니다.

type Foo struct {
    More String `json:"more"`
    Foo  struct {
        Bar string `json:"bar"`
        Baz string `json:"baz"`
    } `json:"foo"`
    //  FooBar  string `json:"foo.bar"`
}

이것은 단순화 된 버전입니다. 자세한 내용은 무시하십시오. 보시다시피 값을 구문 분석하고 할당 할 수 있기를 바랍니다.

//  FooBar  string `json:"foo.bar"`

나는 사람들이지도를 사용하는 것을 보았지만 그것은 내 경우가 아닙니다. 나는 기본적으로 foo몇 가지 특정 요소를 제외하고는 (큰 개체) 의 내용에 관심이 없습니다 .

이 경우 올바른 접근 방식은 무엇입니까? 나는 이상한 해킹을 찾는 것이 아니므로 이것이 갈 길이라면 나는 괜찮습니다.

답변:


67

중첩 된 막대 속성을 마샬링 해제하고 중첩 된 구조체를 만들지 않고 구조체 속성에 직접 할당하는 방법이 있습니까?

아니요, encoding / json은 encoding / xml과 같이 "> some> deep> childnode"로 트릭을 수행 할 수 없습니다. 중첩 된 구조체는 갈 길입니다.


1
인코딩 / xml과 다른 이유는 무엇입니까?
Caleb Hearth 2015 년

1
@CalebThompson XML과 JSON의 구조는 단순한 사례가 비슷해 보이지만 완전히 다릅니다. XML 태그의 내용은 다소 :( 하위 태그 또는 텍스트의 정렬 된 맵) 및 정렬되지 않은 속성 맵입니다. JSON은 Go 구조체와 훨씬 비슷합니다. 따라서 JSON을 구조체에 매핑하는 것은 훨씬 간단합니다. JSON을 따라 구조체를 모델링하면됩니다.
Volker

제 경우에는 JSON의 구조가 실제로 결정되지 않았으므로 구조체를 만들 수 있고 [string] interface {}의 맵을 사용하여 구문 분석 할 때 중첩 요소에 문제가 있습니다. 무엇을 할 수 있습니다.?
viveksinghggits dec

하지만 왜 우리는 struct 내부의 struct를 역 정렬화할 수 없습니까?
Vitaly Zdanevich

29

Volker가 언급 한 것처럼 중첩 된 구조체는 갈 길입니다. 당신은하지만 정말 중첩 된 구조체를 싶지 않아, 당신은 UnmarshalJSON의 FUNC을 대체 할 수 있습니다.

https://play.golang.org/p/dqn5UdqFfJt

type A struct {
    FooBar string // takes foo.bar
    FooBaz string // takes foo.baz
    More   string 
}

func (a *A) UnmarshalJSON(b []byte) error {

    var f interface{}
    json.Unmarshal(b, &f)

    m := f.(map[string]interface{})

    foomap := m["foo"]
    v := foomap.(map[string]interface{})

    a.FooBar = v["bar"].(string)
    a.FooBaz = v["baz"].(string)
    a.More = m["more"].(string)

    return nil
}

적절한 오류를 반환하지 않는다는 사실을 무시하십시오. 단순성을 위해 생략했습니다.

업데이트 : "more"값을 올바르게 검색합니다.


3
나는 & {FooBar : 1 FooBaz : 2 More :}를 받고 있습니다. "텍스트"없는
가이 Segev

@GuySegev 나는 그 문제를 해결하기 위해 내 대답을 업데이트했습니다. 지적 해 주셔서 감사합니다.
rexposadas

22

다음은 Safebrowsing v4 API sbserver 프록시 서버에서 JSON 응답을 언 마샬링하는 방법의 예입니다. https://play.golang.org/p/4rGB5da0Lt

// this example shows how to unmarshall JSON requests from the Safebrowsing v4 sbserver
package main

import (
    "fmt"
    "log"
    "encoding/json"
)

// response from sbserver POST request
type Results struct {
    Matches []Match     
}

// nested within sbserver response
type Match struct {
    ThreatType string 
    PlatformType string 
    ThreatEntryType string 
    Threat struct {
        URL string
    }
}

func main() {
    fmt.Println("Hello, playground")

    // sample POST request
    //   curl -X POST -H 'Content-Type: application/json' 
    // -d '{"threatInfo": {"threatEntries": [{"url": "http://testsafebrowsing.appspot.com/apiv4/ANY_PLATFORM/MALWARE/URL/"}]}}' 
    // http://127.0.0.1:8080/v4/threatMatches:find

    // sample JSON response
    jsonResponse := `{"matches":[{"threatType":"MALWARE","platformType":"ANY_PLATFORM","threatEntryType":"URL","threat":{"url":"http://testsafebrowsing.appspot.com/apiv4/ANY_PLATFORM/MALWARE/URL/"}}]}`

    res := &Results{}
    err := json.Unmarshal([]byte(jsonResponse), res)
        if(err!=nil) {
            log.Fatal(err)
        }

    fmt.Printf("%v\n",res)
    fmt.Printf("\tThreat Type: %s\n",res.Matches[0].ThreatType)
    fmt.Printf("\tPlatform Type: %s\n",res.Matches[0].PlatformType)
    fmt.Printf("\tThreat Entry Type: %s\n",res.Matches[0].ThreatEntryType)
    fmt.Printf("\tURL: %s\n",res.Matches[0].Threat.URL)
}

2
json.Unmarshal 이 복잡하게 중첩 된 json 데이터 를 역 정렬 화할 있음을 보여 주셔서 감사 합니다. 내 문제는 파일에서 JSON을 읽고 있었고 패딩이 0으로 끝났습니다. 공유해 주셔서 감사합니다!
Rohanthewiz

12

예. 로 gjson 모두 당신이 지금해야 할 :

bar := gjson.Get(json, "foo.bar")

bar원한다면 구조체 속성이 될 수 있습니다. 또한지도가 없습니다.


1
fastjson 같은 트릭을 할 수 있습니다 : fastjson.GetString(json, "foo", "bar")
valyala

9

익명 필드는 어떻습니까? 이것이 "중첩 된 구조체"를 구성하는지 확실하지 않지만 중첩 된 구조체 선언을 갖는 것보다 깨끗합니다. 중첩 된 요소를 다른 곳에서 재사용하려면 어떻게해야합니까?

type NestedElement struct{
    someNumber int `json:"number"`
    someString string `json:"string"`
}

type BaseElement struct {
    NestedElement `json:"bar"`
}

1

jsonjson 키의 기본 유형을 알 때까지 중첩 값 을 구조체에 할당하십시오 .

package main

import (
    "encoding/json"
    "fmt"
)

// Object
type Object struct {
    Foo map[string]map[string]string `json:"foo"`
    More string `json:"more"`
}

func main(){
    someJSONString := []byte(`{"foo":{ "bar": "1", "baz": "2" }, "more": "text"}`)
    var obj Object
    err := json.Unmarshal(someJSONString, &obj)
    if err != nil{
        fmt.Println(err)
    }
    fmt.Println("jsonObj", obj)
}

0

나는 이런 일을하고 있었다. 그러나 proto에서 생성 된 구조에서만 작동합니다. https://github.com/flowup-labs/grpc-utils

당신의 프로토에서

message Msg {
  Firstname string = 1 [(gogoproto.jsontag) = "name.firstname"];
  PseudoFirstname string = 2 [(gogoproto.jsontag) = "lastname"];
  EmbedMsg = 3  [(gogoproto.nullable) = false, (gogoproto.embed) = true];
  Lastname string = 4 [(gogoproto.jsontag) = "name.lastname"];
  Inside string  = 5 [(gogoproto.jsontag) = "name.inside.a.b.c"];
}

message EmbedMsg{
   Opt1 string = 1 [(gogoproto.jsontag) = "opt1"];
}

그러면 출력이

{
"lastname": "Three",
"name": {
    "firstname": "One",
    "inside": {
        "a": {
            "b": {
                "c": "goo"
            }
        }
    },
    "lastname": "Two"
},
"opt1": "var"
}

2
질문에 대한 답을 설명하기 위해 몇 줄을 추가하십시오. 저장소가 삭제되면 답변에 값이 남아 있지 않습니다.
Ubercool

그가 돌아올 것 같지 않습니다, 동료들.
DevX

-1

맵과 구조체를 결합하면 키가 동적 인 중첩 된 JSON 객체를 마샬링 해제 할 수 있습니다. =>지도 [문자열]

예 : stock.json

{
  "MU": {
    "symbol": "MU",
    "title": "micro semiconductor",
    "share": 400,
    "purchase_price": 60.5,
    "target_price": 70
  },
  "LSCC":{
    "symbol": "LSCC",
    "title": "lattice semiconductor",
    "share": 200,
    "purchase_price": 20,
    "target_price": 30
  }
}

Go 애플리케이션

package main

import (
    "encoding/json"
    "fmt"
    "io/ioutil"
    "log"
    "os"
)

type Stock struct {
    Symbol        string  `json:"symbol"`
    Title         string  `json:"title"`
    Share         int     `json:"share"`
    PurchasePrice float64 `json:"purchase_price"`
    TargetPrice   float64 `json:"target_price"`
}
type Account map[string]Stock

func main() {
    raw, err := ioutil.ReadFile("stock.json")
    if err != nil {
        fmt.Println(err.Error())
        os.Exit(1)
    }
    var account Account
    log.Println(account)
}

해시의 동적 키는 문자열을 처리하고 중첩 된 객체는 구조체로 표시됩니다.


3
이것은 불완전한 것 같습니다. raw is unused
buildmaestro
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.