Go의 템플릿 시스템 영역에서는 리플렉션이 중요한 역할을 합니다. 다양한 수신기 유형이 있는 인터페이스에서 메서드를 동적으로 호출할 때 문제가 발생합니다.{} 이는 알려진 유형과 원활하게 작동하지만 데이터가 인터페이스 내에 래핑되면 실패합니다{}.
문제 설명
다음을 고려하세요. 코드:
type Test struct { Start string } func (t *Test) Finish() string { return t.Start + "finish" } func Pass(i interface{}) { _, ok := reflect.TypeOf(&i).MethodByName("Finish") if ok { fmt.Println(reflect.ValueOf(&i).MethodByName("Finish").Call([]reflect.Value{})[0]) } else { fmt.Println("Pass() fail") } } func main() { i := Test{Start: "start"} Pass(i) _, ok := reflect.TypeOf(&i).MethodByName("Finish") if ok { fmt.Println(reflect.ValueOf(&i).MethodByName("Finish").Call([]reflect.Value{})[0]) } else { fmt.Println("main() fail") } }
관찰
문제
문제는 인터페이스에 래핑된 데이터의 주소에 액세스하는 데 있습니다{}. 일반적으로 포인터를 가리키는 &i 사용은 이 시나리오에서는 작동하지 않습니다.
해결책
이 문제를 해결하려면 가능한 모든 시나리오를 처리해야 합니다.
인터페이스{} 데이터를 값으로, 메서드 수신자로 value:
인터페이스{} 데이터를 포인터로서의 값 및 메소드 수신자:
인터페이스{} 데이터는 포인터로, 메서드 수신자는 값으로:
interface{} 데이터를 포인터로, 메서드 수신자를 포인터로 사용:
구현
이 논리를 기반으로 메소드를 동적으로 호출하는 일반화된 함수를 생성할 수 있습니다.
func CallMethod(i interface{}, methodName string) interface{} { // Handle all scenarios var ptr, value, finalMethod reflect.Value value = reflect.ValueOf(i) if value.Type().Kind() == reflect.Ptr { ptr = value value = ptr.Elem() } else { ptr = reflect.New(reflect.TypeOf(i)) temp := ptr.Elem() temp.Set(value) } // Check for method on value and pointer method := value.MethodByName(methodName) if method.IsValid() { finalMethod = method } method = ptr.MethodByName(methodName) if method.IsValid() { finalMethod = method } // Call the method if (finalMethod.IsValid()) { return finalMethod.Call([]reflect.Value{})[0].Interface() } // Method not found return "" }
이제 이 함수를 사용하면 수신기 유형 및 인터페이스에 관계없이 동적으로 메서드를 호출할 수 있습니다.{} 래퍼:
i := Test{Start: "start"} j := Test{Start: "start2"} fmt.Println(CallMethod(i, "Finish")) // Output: startfinish fmt.Println(CallMethod(&i, "Finish")) // Output: startfinish fmt.Println(CallMethod(i, "Another")) // Output: fmt.Println(CallMethod(&i, "Another")) // Output: start2another fmt.Println(CallMethod(j, "Finish")) // Output: startfinish fmt.Println(CallMethod(&j, "Finish")) // Output: start2finish fmt.Println(CallMethod(j, "Another")) // Output: fmt.Println(CallMethod(&j, "Another")) // Output: start2another
위 내용은 수신기 유형에 관계없이 Go에서 인터페이스의 메서드를 동적으로 호출하는 방법은 무엇인가요?{}의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!