有没有办法指定进入列表的类型?

Is there a way to specify the type that goes into lists in Go?

有没有办法在 Go 中指定进入列表的类型?我是 Go 的新手,我从 Google 搜索中看到的大部分内容都提到了切片,我什至想问 this question。我坚持使用带有列表的代码,无法修改为切片。

documentation 提到列表使用元素的接口。

我问是因为我写了这段代码:

a := list.New()
a.PushBack(x)

从运行我的文件的代码中得到这个错误。

panic: interface conversion: interface {} is int, not fileA.TypeA

我的直觉是创建一个仅接受 fileA.TypeA 但如果有其他方法可以解决此问题的建议,我愿意接受建议。

我想当你从列表中读取数据时,你使用了错误的类型来转换数据。

例如

package main

import (
    "container/list"
    "fmt"
)

type User struct {
    name string
}

func main() {
    l := list.New()
    l.PushBack(User{name: "Jack"})
    l.PushBack(2)

    for e := l.Front(); e != nil; e = e.Next() {
        fmt.Println(e.Value.(int))
    }
}
// panic: interface conversion: interface {} is main.User, not int

list有User和int两种类型,但是如果只用int来转换list中的所有数据,会报panic错误。您需要使用正确的类型进行转换。

然后你可以像下面的例子一样检测类型。

package main

import (
    "container/list"
    "fmt"
)

type User struct {
    name string
}

func do(i interface{}) {
    switch v := i.(type) {
    case int:
        fmt.Printf("This type is int: %d", v)
    case User:
        fmt.Printf("This is User type: %#v\n", v)
    default:
        fmt.Printf("I don't know about type %T!\n", v)
    }
}

func main() {
    l := list.New()
    l.PushBack(User{name: "Jack"})
    l.PushBack(2)
    l.PushBack(3)

    for e := l.Front(); e != nil; e = e.Next() {
        do(e.Value)
    }
}