我无法解释以下内容为何起作用。

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示例没有。

最佳答案

godoc表示reflect.New

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

它将打印Type: <*main.Dock Value>表示nDock的指针。您会使用reflect.New错过该部分,并返回指针。

关于go - 使用Go反射实例化新的obj并在接口(interface)上键入assert,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/62020186/

10-12 02:49