使用 Go 反射和类型断言接口实例化一个新对象

Instantiate a new obj using Go reflect and type assert to an interface

我无法解释以下内容为何有效。

package main

import (
    "fmt"
    "reflect"
    "strings"
)

type MyInterface interface {
    someFunc()
}

type Dock struct {
}

func (d *Dock) someFunc() {
}

type Group struct {
    Docks []Dock `better:"sometag"`
}

func foo(model interface{}) {
    v1 := reflect.Indirect(reflect.ValueOf(model))
    for i := 0; i < v1.NumField(); i++ {
        tag := v1.Type().Field(i).Tag.Get("better")
        if strings.HasPrefix(tag, "sometag") {
            inter := v1.Field(i).Interface()
            typ := reflect.TypeOf(inter).Elem()
            fmt.Println("Type:", typ.String())

            // Want to instantiate type like &Dock{} then assign it to some interface,
            // but using reflect
            n := reflect.New(typ)
            _, ok := n.Interface().(MyInterface)            
            fmt.Println("Why is it OK?", ok)

        }
    }
}

func main() {
    g := &Group{}
    foo(g)

    /*var v1, v2 interface{}
    d1 := &Dock{}
    v1 = d1
    _, ok1 := v1.(MyInterface)

    d2 := Dock{}
    v2 = d2
    _, ok2 := v2.(MyInterface)
    fmt.Println(ok1, ok2)*/
}

它打印

Type: main.Dock
OK? true

如果它是 Dock 类型,则它不是指向 Dock 的指针。为什么符合MyInterface?

https://play.golang.org/p/Z9mR8amYOM7

评论中的 d2 示例没有。

godocreflect.New

New returns a Value representing a pointer to a new zero value for the specified type. That is, the returned Value's Type is PtrTo(typ).

n := reflect.New(typ)
fmt.Println("Type:", n.String())

它将打印 Type: <*main.Dock Value> 表示 nDock 的指针。您错过了使用 reflect.New return 指针的部分。