Go中切片的最大长度

我在 4Gb 机器的 64 位 linux 操作系统中运行以下代码:


package main


import (

    "fmt"

    "math"

)


func main() {

    r := make([]bool, math.MaxInt32)


    fmt.Println("Size: ", len(r))

}

当我运行这个时,我得到:


Size: 2147483647

如果我更改math.MaxInt32formath.MaxUint32我得到:


fatal error: runtime: out of memory

由于math.MaxUint32内存不足,切片大小为我所期望的,但是当我尝试使用时,math.MaxInt64我得到:


panic: runtime error: makeslice: len out of range

所以显然我不能创建一个大小为 的切片math.MaxInt64,这给我们带来了我的问题:如果内存不是问题,那么我在 Go 中无法创建的最大切片是什么?


我记得,在 Java 中,原始数组索引是用 type 管理的int,所以原始数组的最大大小是 an 的最大值int,如果你尝试用long它来做它会引发异常(据我记得) ,和Go一样吗?Go 中的切片索引是否绑定到一种特定类型?


编辑:


我使用struct{}代替bool和分配math.MaxInt64元素来运行测试。一切都按预期进行,并打印:


Size: 9223372036854775807

那么,另一个问题,为什么在看起来错误相同(内存不足)时会出现两种不同的错误消息?


每个错误弹出的条件是什么?


12345678_0001
浏览 259回答 1
1回答

慕仙森

根据文档,The elements can be addressed by integer indices 0 through len(s)-1. 这意味着切片的最大容量是目标构建上默认整数的大小。编辑:从查看源代码来看,似乎有一个安全检查来确保这个切片大小是完全可能的:func makeslice(t *slicetype, len64 int64, cap64 int64) sliceStruct {&nbsp; &nbsp; // NOTE: The len > MaxMem/elemsize check here is not strictly necessary,&nbsp; &nbsp; // but it produces a 'len out of range' error instead of a 'cap out of range' error&nbsp; &nbsp; // when someone does make([]T, bignumber). 'cap out of range' is true too,&nbsp; &nbsp; // but since the cap is only being supplied implicitly, saying len is clearer.&nbsp; &nbsp; // See issue 4085.&nbsp; &nbsp; len := int(len64)&nbsp; &nbsp; if len64 < 0 || int64(len) != len64 || t.elem.size > 0 && uintptr(len) > maxmem/uintptr(t.elem.size) {&nbsp; &nbsp; &nbsp; &nbsp; panic(errorString("makeslice: len out of range"))&nbsp; &nbsp; }所以在这种情况下,看起来uintptr(len) > maxmem/uintptr(t.elem.size)我们不允许进行这种大小的分配。但是,当我分配struct{}不占用内存时,允许此大小:func main(){&nbsp; &nbsp; r := make([]struct{}, math.MaxInt64)&nbsp; &nbsp; fmt.Println(len(r))}// prints 9223372036854775807
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

Go