php小編柚子為您介紹如何進行嵌套迭代。嵌套迭代是一種在循環中使用另一個循環的技術,它可以幫助我們處理複雜的資料結構或多維數組。在進行嵌套迭代時,我們需要注意循環的順序和條件,以確保正確地存取和處理每個元素。本文將為您詳細解釋嵌套迭代的原理和使用方法,並提供一些實用的範例供參考。無論您是初學者還是有一定經驗的開發者,本文都能幫助您更好地理解和運用嵌套迭代的技巧。讓我們一起來探索吧!
我正在嘗試開發另一個軟體的擴展,該軟體將請求發送到用 go 編寫的應用程式。在 go 程式(我現在稱之為“程式”)中,一個目的是將 json 檔案轉換為可迭代的格式。以下是我正在使用的 json 格式範例:
{ "name": "game-name", "tree": { "$classname": "datamodel", "replicatedstorage": { "$path": "src/replicatedstorage" }, "serverscriptservice": { "$path": "src/serverscriptservice" }, "replicatedfirst": { "$path": "src/replicatedfirst" }, "serverstorage": { "$path": "src/serverstorage" } } }
這個想法是:
src
資料夾下建立一個資料夾,其中包含父地圖的索引。例如,replicatedstorage
是路徑為 src/replicatedstorage
的資料夾的名稱下面是一個用於執行此操作的處理函數:
func process(in interface{}) { v := reflect.ValueOf(in) if v.Kind() == reflect.Map { for _, key := range v.MapKeys() { strct := v.MapIndex(key) index := key.Interface() value := reflect.ValueOf(strct.Interface()) if index == "tree" { for _, treeKey := range value.MapKeys() { treeIndex := treeKey.Interface() fmt.Println("KEY") fmt.Println(treeIndex) if treeIndex != "$className" { fmt.Println("bug") fmt.Println(treeKey) a := key.MapIndex(value) // panic serving ...: reflect: call of reflect.Value.MapIndex on string Value b := reflect.ValueOf(a.Interface()) for _, key2 := range b.MapKeys() { index2 := key2.Interface() value2 := reflect.ValueOf(key2.Interface()) fmt.Println(index2) fmt.Println(value2) } } } } } } }
評論指出了錯誤的位置和內容。我還想做的一件事是不必堆疊 for 循環,因為那是非常糟糕的程式碼。
通常的方法是解組為與資料結構相符的 go 類型。這裡的問題是,樹不能輕易地表示為 go 類型(它具有字串類型的欄位 $classname,但在其他方麵類似於具有包含 $path 欄位的物件值的對應)。
讓我們像您已經完成的那樣繼續解組到 interface{}
。
使用類型斷言而不是反射包。使用映射索引來尋找值,而不是循環遍歷鍵並尋找匹配項。
func process(in interface{}) error { top, ok := in.(map[string]interface{}) if !ok { return errors.New("expected object at top level") } tree, ok := top["tree"].(map[string]interface{}) if !ok { return errors.New(".tree not found") } name, ok := top["name"] if !ok { return errors.New(".name not found") } className, ok := tree["$className"].(string) if !ok { return errors.New(".tree.$className not found") } for k, v := range tree { thing, ok := v.(map[string]interface{}) if !ok { continue } path, ok := thing["$path"].(string) if !ok { continue } fmt.Println(name, className, k, path) } return nil }
https://www.php.cn/link/8642785813491d703d517ddd00944054
以上是如何進行嵌套迭代的詳細內容。更多資訊請關注PHP中文網其他相關文章!