Go에서 지도를 구조체로 변환: 효율적인 접근 방식
Go에서 지도의 데이터로 구조체를 채우는 것은 일반적인 작업일 수 있으며, 중간 JSON 변환은 비효율적으로 느껴질 수 있습니다. 다행히도 이러한 변환을 수행하는 더 효율적인 방법이 있습니다.
가장 권장되는 접근 방식 중 하나는 Mitchell Hashimoto의 다용도 "맵 구조" 패키지를 활용하는 것입니다. 이 패키지를 사용하면 간단히 호출할 수 있습니다.
import "github.com/mitchellh/mapstructure" mapstructure.Decode(myData, &result)
이 우아한 구문은 최소한의 번거로움으로 myData 맵을 구조체 결과로 디코딩합니다.
더 DIY 접근 방식을 선호하는 경우 다음을 수행할 수 있습니다. 아래 코드 조각에 설명된 포괄적인 솔루션을 따르십시오.
func SetField(obj interface{}, name string, value interface{}) error { // Get a handle on the struct value and field structValue := reflect.ValueOf(obj).Elem() structFieldValue := structValue.FieldByName(name) // Check validity and permissions for the operation if !structFieldValue.IsValid() { return fmt.Errorf("No such field: %s in obj", name) } if !structFieldValue.CanSet() { return fmt.Errorf("Cannot set %s field value", name) } // Match field types for assignment structFieldType := structFieldValue.Type() val := reflect.ValueOf(value) if structFieldType != val.Type() { return errors.New("Provided value type didn't match obj field type") } // Update the field value within the struct instance structFieldValue.Set(val) return nil } type MyStruct struct { Name string Age int64 } func (s *MyStruct) FillStruct(m map[string]interface{}) error { // Iterate over map keys and values, setting corresponding struct fields for k, v := range m { err := SetField(s, k, v) if err != nil { return err } } return nil } func main() { myData := make(map[string]interface{}) myData["Name"] = "Tony" myData["Age"] = int64(23) result := &MyStruct{} err := result.FillStruct(myData) if err != nil { fmt.Println(err) } fmt.Println(result) }
이 코드는 필드 조회를 세심하게 처리합니다. 맵에서 구조체로의 변환을 달성하기 위한 검사 및 값 할당.
위 내용은 Go에서 맵을 구조체로 효율적으로 변환하려면 어떻게 해야 합니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!