从切片中删除接口项

Remove an interface item from a slice

我想删除切片中的一个项目 w/o 必须为切片中的每种类型的项目使用特定的函数。所以,我使用 interface{} 作为切片项类型:

package main

import "fmt"

func sliceRemoveItem(slice []interface{}, s int) []interface{} {
  return append(slice[:s], slice[s+1:]...)
}

func main() {
  array := []int{1,2,3,4,5,6,7}

  fmt.Println(array)
  fmt.Println(sliceRemoveItem(array,1))
}

但是goLang不喜欢:

./prog.go:13:30: cannot use array (type []int) as type []interface {} in argument to sliceRemoveItem

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

知道怎么做吗?是否可以使用接受任何类型切片项的通用单一函数?

参考文献:How to delete an element from a Slice in Golang

您正在尝试将 int 的一部分作为 interface{} 的一部分传递。 Go 不会隐式地进行这种转换,因为它是一项代价高昂的操作。

查看此答案:

您可以接受 []interface{},但明确进行转换,或者将类型指定为 []int。这有效:

package main

import "fmt"

func sliceRemoveItem(slice []int, s int) []int {
  return append(slice[:s], slice[s+1:]...)
}

func main() {
  array := []int{1,2,3,4,5,6,7}

  fmt.Println(array)
  fmt.Println(sliceRemoveItem(array,1))
}

使用反射包。

// sliceRemoveItem removes item at index i from the
// slice pointed to by slicep.
func sliceRemoveItem(slicep interface{}, i int) {
    v := reflect.ValueOf(slicep).Elem()
    v.Set(reflect.AppendSlice(v.Slice(0, i), v.Slice(i+1, v.Len())))
}

这样称呼它:

slice := []int{1, 2, 3, 4, 5, 6, 7}
sliceRemoveItem(&slice, 1)

为了避免在调用者中进行类型断言,该函数使用指向切片参数的指针。

Run it on the Go playground