Go:如何在地图和切片中使用接口[重复]

问题描述 投票:0回答:1

我需要一个接口的映射,因为我希望能够运行一个可以使用任一接口的具体实现的函数,而不关心这些结构可以做的“额外”事情。

我读过https://jordanorelli.com/post/32665860244/how-to-use-interfaces-in-go,其中对指针和接口有非常好的解释,但我仍然不知道如何在实践中完成我想要的事情。

我正在尝试以下代码:

https://play.golang.com/p/nRH2IyK7t9F

package main

import (
    "fmt"
)

type IExample interface {
    GetName() string
}

type Concrete struct {
    Name string
}

func (c *Concrete) GetName() string {
    return c.Name
}

func main() {
    // in my real application this is a slice returned from Gorm orm
    var s = []Concrete{
        Concrete{Name: "one"},
        Concrete{Name: "two"},
    }

    foo := make(map[string]IExample)
    bar := []IExample{}

    for _, c := range s {
        foo[c.Name] = &c
        bar = append(bar, &c)
        fmt.Printf("Set key [%s]\r\n", c.Name)
    }

    for name, element := range foo {
        fmt.Printf("key: [%s] has element [%s]\r\n", name, element.GetName())
    }
    for name, element := range bar {
        fmt.Printf("key: [%d] has element [%s]\r\n", name, element.GetName())
    }

}

输出:

Set key [one]
Set key [two]
key: [one] has element [two]
key: [two] has element [two]
key: [0] has element [two]
key: [1] has element [two]

我真正想要的是元素一位于键“一”中。

我想问题的发生是因为使用引用进行了分配

foo[c.Name] = &c
。我需要这个,因为否则我会收到错误“
cannot use c (variable of type Concrete) as IExample value in assignment: Concrete does not implement IExample (method GetName has pointer receiver)

阅读完https://dusted.codes/using-go-generics-to-pass-struct-slices-for-interface-slices我想知道是否可以使用泛型解决问题,但我无法解决如何实施。

type ExampleMap map[string]IExample

func (e *ExampleMap) add[T IExample](id string item T) {
    e[id] = item
}
// syntax error: method must have no type parameters

我怎样才能让这张地图包含正确的元素?

go pointers
1个回答
2
投票

你所做的事情是正确的。你只是把错误的东西放入地图中:

for i,c := range s {
        foo[c.Name] = &s[i]
        bar = append(bar, &s[i])
        fmt.Printf("Set key [%s]\r\n", c.Name)
    }

循环变量在每次迭代时都会被重写,因此当您将

&c
添加到映射和切片时,您添加的指针就是
c
的地址,该指针在每次迭代时都会被覆盖。

© www.soinside.com 2019 - 2024. All rights reserved.