透過引用傳遞巢狀結構進行反射
簡介
考慮以下客戶和聯繫人資料結構:
<code class="go">type Client struct { Id int Age int PrimaryContact Contact Name string } type Contact struct { Id int ClientId int IsPrimary bool Email string }</code>
我們的目標是使用反射來迭代所有客戶端結構字段,為原始字段設定預設值,並遞歸地將相同的步驟應用於任何嵌套結構字段。但是,在嘗試為 PrimaryContact 欄位設定值時,我們遇到了「reflect.Value.Set using unaddressable value」恐慌。
透過引用傳遞
問題的出現是因為PrimaryContact 透過值而不是透過引用傳遞。為了解決這個問題,我們必須透過引用傳遞 PrimaryContact。為此,我們使用 Value.Addr() 來取得結構體欄位的指標值。
解決方案
以下程式碼示範如何透過引用傳遞PrimaryContact:
<code class="go">func setDefaultValue(v reflect.Value) error { if v.Kind() != reflect.Ptr { return errors.New("Not a pointer value") } v = reflect.Indirect(v) // ... (same code as before) case reflect.Struct: for i := 0; i < v.NumField(); i++ { err := setDefaultValue(v.Field(i).Addr()) if err != nil { return err } } } return nil }</code>
透過使用v.Field(i).Addr( ) 取得每個結構體欄位的指標值,我們可以修改實際的結構體欄位而不是副本。
範例
為了說明解決方案,讓我們考慮以下客戶端實例:
<code class="go">a := Client{}</code>
呼叫SetDefault() 函數後,我們得到:
<code class="go">{Id:42 Age:42 PrimaryContact:{Id:42 ClientId:42 IsPrimary:true Email:Foo} Name:Foo}</code>
這表示嵌套的PrimaryContact 結構欄位也已設定為預設值。
以上是如何透過引用傳遞嵌套結構進行反射?的詳細內容。更多資訊請關注PHP中文網其他相關文章!