使用Go Reflect调用函数

时间:2018-10-25 23:51:12

标签: go reflect

我想知道是否有可能不知道函数名而是无论如何都要调用它并从中获取值。这使我进入了反射包,我已经很接近了,但是我不确定最后一步-如果有的话。再次,如果我遗漏了一些明显的东西,请原谅我,这是我第一次尝试在Go中做任何事情,而不是进行设置。

当然,作为一种编译语言,不需要遍历所有东西来查找函数名,我都知道它们,但这是我想看看是否有可能……我正在玩和学习。

下面是代码。我真正想做的是在主行中提取在ModuleBoot()<“ 1.0012”,23>和SomethingBoot()<“ 1.0000”,10>中设置的值,但到目前为止,我所能获得的只是结构信息。也许就是这样,但是也许有一个步骤或变化可以使它迈出下一步。

希望我正确地复制了所有相关代码,以便按原样编译:

// Using: go version go1.9.7 linux/amd64
=======================================
FILE: main.go
=======================================
package main

import (
  "fmt"
  "reflect"
  "playing/modules/core"
)

func main() {

  miType := reflect.TypeOf(core.ModuleInfo{})

  fmt.Println("")

  for i := 0; i < miType.NumMethod(); i++ {
    method := miType.Method(i)
    fmt.Println(method.Name)

    in := make([]reflect.Value, method.Type.NumIn())
    in[0] = reflect.ValueOf(core.ModuleInfo{})
    //fmt.Println("Params in:", method.Type.NumIn(), "Params out:", method.Type.NumOut())

    mi := method.Func.Call(in)
    fmt.Println("mi:", mi)

    fmt.Println("")
  }
}

=======================================
FILE: playing/modules/core/something.go
=======================================
package core

func (mi ModuleInfo) SomethingBoot() ModuleInfo {
  mi.Version = "1.0000"
  mi.Priority = 10
  return mi
}

=======================================
FILE: playing/modules/core/modules.go
=======================================
package core

type ModuleInfo struct {
  Version string
  Priority int
}

func (mi ModuleInfo) ModuleBoot() ModuleInfo {
  mi.Version = "1.0012"
  mi.Priority = 23
  return mi
}

我从中得到的输出是:

Started delve with config "Debug"

SomethingBoot
mi: [<core.ModuleInfo Value>]

ModuleBoot
mi: [<core.ModuleInfo Value>]

delve closed with code 0

2 个答案:

答案 0 :(得分:0)

要获取返回值作为ModuleInfo,请获取第一个返回值的underlying valuetype assert到ModuleInfo的接口值:

// mi has type core.ModuleInfo
mi := method.Func.Call(in)[0].Interface().(core.ModuleInfo)

Run it on the Playground

您可以通过将方法类型声明为具有正确签名的函数并直接调用该函数来剪切一些反射代码:

for i := 0; i < miType.NumMethod(); i++ {
    method := miType.Method(i).Func.Interface().(func(core.ModuleInfo) core.ModuleInfo)
    mi := method(core.ModuleInfo{})
    fmt.Println("Version", mi.Version)
    fmt.Println("Priority", mi.Priority)
    fmt.Println("")
}

Run it on the Playground

答案 1 :(得分:0)

Go本身支持将函数用作值;您不需要进行反射。

特别是,如果您将两个函数设为顶级函数(未专门与结构绑定):

package core
type ModuleInfo struct { ... }
func SomethingBoot() ModuleInfo
func ModuleBoot() ModuleInfo

然后,您可以编写一个将函数作为参数的函数:

func PrintVersion(func booter() core.ModuleInfo) {
        mi := booter()
        fmt.Printf("version %s\n", mi.Version)
}

您只需传递预先存在的函数作为参数即可

PrintVersion(core.SomethingBoot)
PrintVersion(core.ModuleBoot)

请注意,函数名称后没有括号:您将函数本身作为参数传递,而不是调用函数并传递其返回值。