在 Go 中處理 JSON 回應時,存取巢狀陣列中的元素可能會帶來挑戰。在嘗試檢索特定資料點時,經常會出現「類型介面 {} 不支援索引」之類的錯誤。
要解決此問題,了解 Go 中 JSON 回應的基本性質至關重要。預設情況下,陣列表示為 []interface{} 切片,而字典則表示為 map[string]interface{} 映射。因此,介面變數缺乏對索引的支援。
要存取巢狀元素,類型斷言變得必要。一種方法是執行以下操作而不進行錯誤檢查:
<code class="go">objects := result["objects"].([]interface{}) first := objects[0].(map[string]interface{}) fmt.Println(first["ITEM_ID"])</code>
但是,如果類型不對齊,此方法可能會導致恐慌。更穩健的方法是使用兩次返回形式並處理潛在錯誤:
<code class="go">objects, ok := result["objects"].([]interface{}) if !ok { // Handle error }</code>
如果您的JSON 遵循一致的結構,請考慮直接解碼為自訂類型:
<code class="go">type Result struct { Query string `json:"query"` Count int `json:"count"` Objects []struct { ItemId string `json:"ITEM_ID"` ProdClassId string `json:"PROD_CLASS_ID"` Available int `json:"AVAILABLE"` } `json:"objects"` }</code>
解碼後,您可以無縫存取巢狀元素,例如result.Objects[0].ItemId.
以上是如何在 Go 中安全存取巢狀 JSON 陣列?的詳細內容。更多資訊請關注PHP中文網其他相關文章!