猿问

在golang中定义一个返回可变大小切片的函数

我想构建一个返回任意大小切片的函数。我知道我能做到

func BuildSlice() [100]int { return [100]int{} }

但我希望能够从同一个函数返回不同大小的切片。就像是:

func BuildSlice(int size) [...]int { return [size]int{} }

我已经尝试了上述以及

func BuildSlice(size int) []int { return [size]int{} }

请指出我正确的方向。


慕斯709654
浏览 360回答 2
2回答

holdtom

首先,切片已经是“可变大小”:[100]int并且[...]int是数组类型定义。[]int 是切片的正确语法,您可以将函数实现为:func BuildSlice(size int) []int {    return make([]int, size)}这将返回具有所需大小的零值切片,类似于您的数组版本所做的。

呼啦一阵风

Go 编程语言规范制作切片、贴图和通道内置函数 make 接受类型 T,它必须是切片、映射或通道类型,可选地后跟特定于类型的表达式列表。它返回一个类型为 T(不是 *T)的值。内存按照初始值部分中的描述进行初始化。Call&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp;Type T&nbsp; &nbsp; &nbsp;Resultmake(T, n)&nbsp; &nbsp; &nbsp; &nbsp;slice&nbsp; &nbsp; &nbsp; slice of type T with length n and capacity nmake(T, n, m)&nbsp; &nbsp; slice&nbsp; &nbsp; &nbsp; slice of type T with length n and capacity m大小参数 n 和 m 必须是整数类型或无类型。常量大小参数必须是非负的并且可以由 int 类型的值表示。如果 n 和 m 都提供并且是常数,则 n 不得大于 m。如果在运行时 n 为负数或大于 m,则会发生运行时恐慌。s := make([]int, 10, 100)&nbsp; &nbsp; &nbsp; &nbsp;// slice with len(s) == 10, cap(s) == 100s := make([]int, 1e3)&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp;// slice with len(s) == cap(s) == 1000s := make([]int, 1<<63)&nbsp; &nbsp; &nbsp; &nbsp; &nbsp;// illegal: len(s) is not representable by a value of type ints := make([]int, 10, 0)&nbsp; &nbsp; &nbsp; &nbsp; &nbsp;// illegal: len(s) > cap(s)例如,package mainimport "fmt"func main() {&nbsp; &nbsp; s := make([]int, 7, 42)&nbsp; &nbsp; fmt.Println(len(s), cap(s))&nbsp; &nbsp; t := make([]int, 100)&nbsp; &nbsp; fmt.Println(len(t), cap(t))}输出:7 42100 100
随时随地看视频慕课网APP

相关分类

Go
我要回答