go语言空切片的作用 go 空切片( 四 )


In Go, the function parameters are passed by value. With respect to use slice as a function argument, that means the function will get the copies of the slice: a pointer which points to the starting address of the underlying array, accompanied by the length and capacity of the slice. Oh boy! Since you know the address of the memory which is used to store the data, you can tweak the slice now. Let's see the following example:
运行结果如下
由此可见,执行modifyValue函数,切片s的元素发生了变化 。尽管modifyValue函数只是操作slice的副本 , 但是任然改变了切片的数据元素,看另一个例子:
You can see, after running modifyValue function, the content of slice s is changed. Although the modifyValue function just gets a copy of the memory address of slice's underlying array, it is enough!
See another example:
The result is like this:
而这一次,addValue函数并没有修改main函数中的切片s的元素 。这是因为它只是操作切片s的副本,而不是切片s本身 。所以如果真的想让函数改变切片的内容,可以传递切片的地址:
This time, the addValue function doesn't take effect on the s slice in main function. That's because it just manipulate the copy of the s, not the "real" s.
So if you really want the function to change the content of a slice, you can pass the address of the slice:
运行结果如下
Golang 中数组(Array)和切片(Slice)的区别 Go 中数组的长度是不可改变的,而 Slice 解决的就是对不定长数组的需求 。他们的区别主要有两点 。
数组:
切片:
注意 1
虽然数组在初始化时也可以不指定长度,但 Go 语言会根据数组中元素个数自动设置数组长度,并且不可改变 。切片通过 append 方法增加元素:
如果将 append 用在数组上,你将会收到报错:first argument to append must be slice 。
注意 2
切片不只有长度(len)的概念 , 同时还有容量(cap)的概念 。因此切片其实还有一个指定长度和容量的初始化方式:
这就初始化了一个长度为3,容量为5的切片 。
此外,切片还可以从一个数组中初始化(可应用于如何将数组转换成切片):
上述例子通过数组 a 初始化了一个切片 s 。
当切片和数组作为参数在函数(func)中传递时,数组传递的是值,而切片传递的是指针 。因此当传入的切片在函数中被改变时,函数外的切片也会同时改变 。相同的情况,函数外的数组则不会发生任何变化 。
Go切片数组深度解析Go 中的分片数组,实际上有点类似于Java中的ArrayList,是一个可以扩展的数组,但是Go中的切片由比较灵活,它和数组很像,也是基于数组,所以在了解Go切片前我们先了解下数组 。
数组简单描述就由相同类型元素组成的数据结构, 在创建初期就确定了长度 , 是不可变的 。
但是Go的数组类型又和C与Java的数组类型不一样 ,  NewArray 用于创建一个数组,从源码中可以看出最后返回的是 Array{}的指针,并不是第一个元素的指针,在Go中数组属于值类型 , 在进行传递时,采取的是值传递,通过拷贝整个数组 。Go语言的数组是一种有序的struct 。
Go 语言的数组有两种不同的创建方式,一种是显示的初始化,一种是隐式的初始化 。
注意一定是使用 [...]T 进行创建 , 使用三个点的隐式创建,编译器会对数组的大小进行推导,只是Go提供的一种语法糖 。
其次,Go中数组的类型,是由数值类型和长度两个一起确定的 。[2]int 和 [3]int 不是同一个类型,不能进行传参和比较 , 把数组理解为类型和长度两个属性的结构体,其实就一目了然了 。

推荐阅读