Go - 数组

Posted TonyZhang24

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Go - 数组相关的知识,希望对你有一定的参考价值。

数组: Array

1. 定义:

var <arrayName> [n] (n>=0) <type>

注: 数组的长度n,也是数组定义的组成部分;所以:var intArr1 [1]int 与 var intArr2 [2]int 表示为两个“不同类型” 的数组。

 

数组的常见定义:

package main

import (
    "fmt"
)

func main() {
    var intArray [5]int32
    fmt.Println(intArray)
}

//output
[0 0 0 0 0]

 

或者将定义与赋值写在一起

package main

import (
    "fmt"
)

func main() {
    a := [2]int32{1, 2}
    fmt.Println(a)
}

 

使用索引给数组指定的位置赋值

package main

import (
    "fmt"
)

func main() {

    b := [3]int32{2: 3} // 给数组第二位赋值3
    fmt.Println(b)
}

 

不指定数组的长度

package main

import (
    "fmt"
)

func main() {
    c := [...]int32{1, 2, 3, 4, 5}
    fmt.Println(c)
}

//output
[1 2 3 4 5]

 

指向数组的指针 vs 指针数组 

// 指向数组的指针
d := [...]int32{3: 3}
var p *[4]int32 = &d
fmt.Println(p)

// 指针数组
x, y := 1, 2
ptr := [...]*int{&x, &y}
fmt.Println(ptr)


//output
&[0 0 0 3]
[0x1164e118 0x1164e11c]

 

 

数组是“值类型”

 

 

使用“new”创建数组,返回一个指向数组的指针

ptr1 := new([2]int)
ptr1[1] = 1
fmt.Println(ptr1)

//output
&[0 1]

 

 

多维数组

array2 := [2][3]int32{
    {1, 1, 1},
    {2, 2, 2},
}
fmt.Println(array2)

//output
[[1 1 1] [2 2 2]]

 

以上是关于Go - 数组的主要内容,如果未能解决你的问题,请参考以下文章

Go切片实现

[Go] 通过 17 个简短代码片段,切底弄懂 channel 基础

解决go: go.mod file not found in current directory or any parent directory; see ‘go help modules‘(代码片段

你知道的Go切片扩容机制可能是错的

从零开始学Go之容器:切片

《Go题库·1》Golang里的数组和切片有了解过吗?