php小編新一介紹了一個有趣的技巧,即從包含單引號的JSON鍵解組。這個技巧可以幫助開發人員在處理JSON資料時更加靈活,避免因為包含單引號而導致的解析錯誤。透過使用一些簡單的技巧和函數,開發人員可以輕鬆地處理這種情況,確保JSON資料的正確解析和處理。這個技巧對於那些經常處理JSON資料的開發人員來說是非常有用的,能夠提高開發效率和程式碼品質。
對此我感到很困惑。 我需要載入一些以 json 序列化的資料(來自法國資料庫),其中某些鍵帶有單引號。
這是一個簡化版本:
package main import ( "encoding/json" "fmt" ) type product struct { name string `json:"nom"` cost int64 `json:"prix d'achat"` } func main() { var p product err := json.unmarshal([]byte(`{"nom":"savon", "prix d'achat": 170}`), &p) fmt.printf("product cost: %d\nerror: %s\n", p.cost, err) } // product cost: 0 // error: %!s(<nil>)
解組不會導致錯誤,但「prix d'achat」(p.cost
) 未正確解析。
當我解組到 map[string]any
時,「prix d'achat」金鑰按照我的預期進行解析:
package main import ( "encoding/json" "fmt" ) func main() { blob := map[string]any{} err := json.Unmarshal([]byte(`{"nom":"savon", "prix d'achat": 170}`), &blob) fmt.Printf("blob: %f\nerror: %s\n", blob["prix d'achat"], err) } // blob: 170.000000 // error: %!s(<nil>)
我檢查了有關結構標記的 json.marshal
文檔,但找不到我正在嘗試處理的資料的任何問題。
我在這裡遺漏了一些明顯的東西嗎? 如何使用結構標籤解析包含單引號的 json 鍵?
非常感謝您的見解!
我在文件中沒有找到任何內容,但是json 編碼器將單引號視為標記名稱中的保留字元。
func isvalidtag(s string) bool { if s == "" { return false } for _, c := range s { switch { case strings.containsrune("!#$%&()*+-./:;<=>?@[]^_{|}~ ", c): // backslash and quote chars are reserved, but // otherwise any punctuation chars are allowed // in a tag name. case !unicode.isletter(c) && !unicode.isdigit(c): return false } } return true }
我認為在這裡提出問題是合理的。同時,您將必須實作 json.unmarshaler 和/或json.marshaler。這是一個開始:
func (p *Product) UnmarshalJSON(b []byte) error { type product Product // revent recursion var _p product if err := json.Unmarshal(b, &_p); err != nil { return err } *p = Product(_p) return unmarshalFieldsWithSingleQuotes(p, b) } func unmarshalFieldsWithSingleQuotes(dest interface{}, b []byte) error { // Look through the JSON tags. If there is one containing single quotes, // unmarshal b again, into a map this time. Then unmarshal the value // at the map key corresponding to the tag, if any. var m map[string]json.RawMessage t := reflect.TypeOf(dest).Elem() v := reflect.ValueOf(dest).Elem() for i := 0; i < t.NumField(); i++ { tag := t.Field(i).Tag.Get("json") if !strings.Contains(tag, "'") { continue } if m == nil { if err := json.Unmarshal(b, &m); err != nil { return err } } if j, ok := m[tag]; ok { if err := json.Unmarshal(j, v.Field(i).Addr().Interface()); err != nil { return err } } } return nil }
在操場上試試看:https://www.php.cn/link/9b47b8678d84ea8a0f9fe6c4ec599918一个>
#以上是從包含單引號的 JSON 鍵解組的詳細內容。更多資訊請關注PHP中文網其他相關文章!