反射,指定指针结构值

时间:2016-10-15 14:17:56

标签: go

我试图将一个指向结构的指针分配给已经初始化的相同类型的结构指针的值。

做一个简单的服务定位器

代码就像这样

package main

import (
  "fmt"
  "reflect"
)

type Concrete struct {}
func (c *Concrete) Do(){}

type Doer interface {
    Do()
}

func main() {
    l := ServiceLocator{}
    l.Register(&Concrete{})

    var x Doer
    if l.Get(&x); x!= nil {
        fmt.Println("by interface pointer ok")
    }

    // This is not possible in my understanding
    //var z Doer
    //if l.Get(z); z!= nil {
    //  fmt.Println("by interface ok")
    //}

    var y *Concrete
    if l.Get(y); y!= nil {
        fmt.Println("by struct pointer ok")
    }
}

type ServiceLocator struct {
  services []interface{}
  types []reflect.Type
  values []reflect.Value
}

func (s *ServiceLocator) Register(some interface{}) {
  s.services = append(s.services, some)
  s.types = append(s.types, reflect.TypeOf(some))
  s.values = append(s.values, reflect.ValueOf(some))
}

func (s *ServiceLocator) Get(some interface{}) interface{} {
  k := reflect.TypeOf(some).Elem()
  kind := reflect.TypeOf(some).Elem().Kind()
  for i, t := range s.types {
    if kind==reflect.Interface && t.Implements(k) {
      reflect.Indirect(
        reflect.ValueOf(some),
      ).Set(s.values[i])
    } else if kind==reflect.Struct && k.AssignableTo(t.Elem()) {
      fmt.Println(reflect.ValueOf(some).Elem().CanAddr())
      fmt.Println(reflect.ValueOf(some).Elem().CanSet())
      fmt.Println(reflect.Indirect(reflect.ValueOf(some)))
      reflect.ValueOf(some).Set(s.values[i])
    }
  }
  return nil
}

尽管我的尝试仍然不断出现运行时错误

panic: reflect: reflect.Value.Set using unaddressable value

尝试播放here

需要帮助,非常感谢!

JimB帮助和信息在这里是固定的游戏https://play.golang.org/p/_g2AbX0yHV

1 个答案:

答案 0 :(得分:4)

您无法将指针的值直接指定给y,因为您将y的值传递给Get,而不是其地址。您可以传递y的地址(类型**Concrete),以便您可以将指针(*Concrete)分配给y。如果直接分配值是安全的,则将已注册指针的间接分配给y,但必须使用有效值初始化y,以便有一个地址写信给。

n := 42
p := &n

x := new(int)
// set the value to *x, but x must be initialized
reflect.ValueOf(x).Elem().Set(reflect.ValueOf(p).Elem())
fmt.Println("*x:", *x)

var y *int
// to set the value of y directly, requires y be addressable
reflect.ValueOf(&y).Elem().Set(reflect.ValueOf(p))
fmt.Println("*y:", *y)

https://play.golang.org/p/6tFitP4_jt