programing

string에서 float64로 변환 유형을 사용하여 JSON을 디코딩하는 방법

lastmoon 2023. 3. 8. 21:44
반응형

string에서 float64로 변환 유형을 사용하여 JSON을 디코딩하는 방법

다음과 같이 플로트 번호로 JSON 문자열을 디코딩해야 합니다.

{"name":"Galaxy Nexus", "price":"3460.00"}

아래 골랑 코드를 사용합니다.

package main

import (
    "encoding/json"
    "fmt"
)

type Product struct {
    Name  string
    Price float64
}

func main() {
    s := `{"name":"Galaxy Nexus", "price":"3460.00"}`
    var pro Product
    err := json.Unmarshal([]byte(s), &pro)
    if err == nil {
        fmt.Printf("%+v\n", pro)
    } else {
        fmt.Println(err)
        fmt.Printf("%+v\n", pro)
    }
}

실행하면 다음과 같은 결과가 나타납니다.

json: cannot unmarshal string into Go value of type float64
{Name:Galaxy Nexus Price:0}

type convert를 사용하여 JSON 문자열을 디코딩하는 방법을 알고 싶습니다.

답은 상당히 덜 복잡하다.JSON 인터프리터에 float64로 인코딩된 문자열임을 알려주시면 됩니다.,string(이것만 변경했습니다만,Price정의):

package main

import (
    "encoding/json"
    "fmt"
)

type Product struct {
    Name  string
    Price float64 `json:",string"`
}

func main() {
    s := `{"name":"Galaxy Nexus", "price":"3460.00"}`
    var pro Product
    err := json.Unmarshal([]byte(s), &pro)
    if err == nil {
        fmt.Printf("%+v\n", pro)
    } else {
        fmt.Println(err)
        fmt.Printf("%+v\n", pro)
    }
}

이 일을 할 수 있다는 걸 알려드리기 위해서Unmarshal및 사용json.decode여기는 바둑놀이터입니다.

package main

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

type Product struct {
    Name  string `json:"name"`
    Price float64 `json:"price,string"`
}

func main() {
    s := `{"name":"Galaxy Nexus","price":"3460.00"}`
    var pro Product
    err := json.NewDecoder(strings.NewReader(s)).Decode(&pro)
    if err != nil {
        fmt.Println(err)
        return
    }
    fmt.Println(pro)
}

문자열을 []바이트로 변환하지 마십시오.b := []byte(s)새로운 메모리 공간을 할당하고 콘텐츠 전체를 복사합니다.

strings.NewReader인터페이스가 더 낫습니다.다음은 godoc의 코드입니다.

package main

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

func main() {
    const jsonStream = `
    {"Name": "Ed", "Text": "Knock knock."}
    {"Name": "Sam", "Text": "Who's there?"}
    {"Name": "Ed", "Text": "Go fmt."}
    {"Name": "Sam", "Text": "Go fmt who?"}
    {"Name": "Ed", "Text": "Go fmt yourself!"}
`
    type Message struct {
        Name, Text string
    }
    dec := json.NewDecoder(strings.NewReader(jsonStream))
    for {
        var m Message
        if err := dec.Decode(&m); err == io.EOF {
            break
        } else if err != nil {
            log.Fatal(err)
        }
        fmt.Printf("%s: %s\n", m.Name, m.Text)
    }
}

따옴표로 값을 전달하면 문자열처럼 보입니다.바꾸다"price":"3460.00"로."price":3460.00모든 게 잘 풀려요

인용부호를 삭제할 수 없는 경우 직접 해석해야 합니다.strconv.ParseFloat:

package main

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

type Product struct {
    Name       string
    Price      string
    PriceFloat float64
}

func main() {
    s := `{"name":"Galaxy Nexus", "price":"3460.00"}`
    var pro Product
    err := json.Unmarshal([]byte(s), &pro)
    if err == nil {
        pro.PriceFloat, err = strconv.ParseFloat(pro.Price, 64)
        if err != nil { fmt.Println(err) }
        fmt.Printf("%+v\n", pro)
    } else {
        fmt.Println(err)
        fmt.Printf("%+v\n", pro)
    }
}

언급URL : https://stackoverflow.com/questions/9452897/how-to-decode-json-with-type-convert-from-string-to-float64

반응형