Created
May 27, 2017 08:23
-
-
Save alenstarx/ffc45f229333a687fde746f2f2b90b19 to your computer and use it in GitHub Desktop.
callmethod by reflect (golang)
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
package main | |
// copy from | |
// https://stackoverflow.com/questions/14116840/dynamically-call-method-on-interface-regardless-of-receiver-type | |
import ( | |
"fmt" | |
"reflect" | |
) | |
type Test struct { | |
Start string | |
} | |
// value receiver | |
func (t Test) Finish() string { | |
return t.Start + "finish" | |
} | |
// pointer receiver | |
func (t *Test) Another() string { | |
return t.Start + "another" | |
} | |
func CallMethod(i interface{}, methodName string) interface{} { | |
var ptr reflect.Value | |
var value reflect.Value | |
var finalMethod reflect.Value | |
value = reflect.ValueOf(i) | |
// if we start with a pointer, we need to get value pointed to | |
// if we start with a value, we need to get a pointer to that value | |
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 | |
method := value.MethodByName(methodName) | |
if method.IsValid() { | |
finalMethod = method | |
} | |
// check for method on pointer | |
method = ptr.MethodByName(methodName) | |
if method.IsValid() { | |
finalMethod = method | |
} | |
if (finalMethod.IsValid()) { | |
return finalMethod.Call([]reflect.Value{})[0].Interface() | |
} | |
// return or panic, method not found of either type | |
return "" | |
} | |
func main() { | |
i := Test{Start: "start"} | |
j := Test{Start: "start2"} | |
fmt.Println(CallMethod(i, "Finish")) | |
fmt.Println(CallMethod(&i, "Finish")) | |
fmt.Println(CallMethod(i, "Another")) | |
fmt.Println(CallMethod(&i, "Another")) | |
fmt.Println(CallMethod(j, "Finish")) | |
fmt.Println(CallMethod(&j, "Finish")) | |
fmt.Println(CallMethod(j, "Another")) | |
fmt.Println(CallMethod(&j, "Another")) | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment