learning go 2
Posted 梁吉林
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了learning go 2相关的知识,希望对你有一定的参考价值。
1.变量
go不支持任何类型的隐式转换,必须使用显示转换,否则将会编译错误;
go支持指针,但不支持指针运算。
2、数组
package array
import "testing"
func TestArrayInit(t *testing.T) {
var a [3]int //未赋值默认为0
b := [4]int{1,2,2,1}
c := [...]int{1,2,3,4,5,6} //不确定元素个数时的写法,系统会自动设置
t.Log(a,b,c)
for i := 0; i < len(c); i++ {
t.Log(c[i])
}
for k,v := range c { //kv方式遍历
t.Log(k, v)
}
d := [2][2]int{{1,2}, {3,4}} //多维数组
t.Log(d)
}
=== RUN TestArrayInit
TestArrayInit: array_test.go:9: [0 0 0] [1 2 2 1] [1 2 3 4 5 6]
TestArrayInit: array_test.go:12: 1
TestArrayInit: array_test.go:12: 2
TestArrayInit: array_test.go:12: 3
TestArrayInit: array_test.go:12: 4
TestArrayInit: array_test.go:12: 5
TestArrayInit: array_test.go:12: 6
TestArrayInit: array_test.go:16: 0 1
TestArrayInit: array_test.go:16: 1 2
TestArrayInit: array_test.go:16: 2 3
TestArrayInit: array_test.go:16: 3 4
TestArrayInit: array_test.go:16: 4 5
TestArrayInit: array_test.go:16: 5 6
TestArrayInit: array_test.go:20: [[1 2] [3 4]]
--- PASS: TestArrayInit (0.00s)
PASS
数组是可以进行比较的,两个数组完全相同时是相等的true。
如果两个数组维度或元素个数不同时,比较就会产生编译错误。
3、切片Slice
切片和数组类似,也是一种连续存储的数据结构,或者可以说是一种“可边长的采用共享空间方式的数组”?
package array
import "testing"
func TestSnapInit(t *testing.T) {
a := []string{"one","two","three","four","five"}
t.Log(a)
b := a[1:]
t.Log(b)
c := a[2:4] // 下标的计算方式是[2,4)
t.Log(c)
c[0] = "lucy" // 修改了切片中的一个值,所有相关的都会被修改,证明了是共享空间存储
t.Log(c,a,b)
t.Log(c, len(c), cap(c)) //len计算元素的个数,cap计算内部数组的容量,cap计算的是从截取的位置一直到原始数组的最后。
}
=== RUN TestSnapInit
TestSnapInit: array_test.go:26: [one two three four five]
TestSnapInit: array_test.go:28: [two three four five]
TestSnapInit: array_test.go:30: [three four]
TestSnapInit: array_test.go:32: [lucy four] [one two lucy four five] [two lucy four five]
TestSnapInit: array_test.go:33: [lucy four] 2 3
--- PASS: TestSnapInit (0.00s)
PASS
可以看到,切片确实和数组很类似,区别是定义的时候不需要指定元素个数。
对数组的截取可以有多种方式,截取时的计算是“左闭右开”的区间。
数据的存储采用的是共享空间的方式,所有切片都是使用一份数据,因此当有任一切片改变了元素值,其它相关联的切片都会受到影响发生变化。
len计算元素的个数,cap计算内部数组的容量,cap计算的是从截取的位置一直到原始数组的最后。
4、循环
参考第2节数组中的用法,for循环还是比较简单,和其它语言类似。
注意:go只支持for循环!!!
以上是关于learning go 2的主要内容,如果未能解决你的问题,请参考以下文章
[Go] 通过 17 个简短代码片段,切底弄懂 channel 基础
解决go: go.mod file not found in current directory or any parent directory; see ‘go help modules‘(代码片段