golang struct 类型
1.和其他语言一样(相当于java中的类),go语言也允许我们声明新的类型,定义struct:
type typeName struct{
filedName type
......
}
例:
type Person struct{
name string
aget int
}
2.自定义结构体赋值
2.1 按照顺序提供初始化值
p:=Person{"tom",25}
2.2 通过field:value的方式初始化
p := person{age:24, name:"Tom"}
3.struct的匿名字段
type Human struct {
name string
age int
weight int
}
type Student struct {
Human // 匿名字段,Student包含了Human的所有字段
speciality string
}
4.类型断言
type Element interface{}
type Element interface{}
var m string
var n Element
m = "123"
n = m
n = 3
if value, ok := n.(string); ok {
fmt.Println("n=", value)
} else {
fmt.Println("type error:", n)
}
5.goroutine
goroutine是Go并行设计的核心。goroutine说到底其实就是线程,但是他比线程更小,十几个goroutine可能体现在 底层就是五六个线程,Go语言内部帮你实现了这些goroutine之间的内存共享。执行goroutine只需极少的栈内存(大 概是4~5KB),当然会根据相应的数据伸缩。也正因为如此,可同时运行成千上万个并发任务。goroutine比thread更 易用、更高效、更轻便。
func say(s string) {
for i := 0; i < 5; i++ {
runtime.Gosched()
fmt.Println(s) }
}
func main() {
go say("world") //开一个新Goroutines执行
say("hello") //当前Goroutines执行
}
go关键字很方便的就实现了并发编程。 上面的多个goroutine运行在同一个进程里面,共享内存数据, 不过设计上我们要遵循:不要通过共享来通信,而要通过通信来共享
6.channels
goroutine运行在相同的地址空间,因此访问共享内存必须做好同步。那么goroutine之间如何进行数据的通信呢,Go 提供了一个很好的通信机制channel。channel可以与Unix shell 中的双向管道做类比:可以通过它发送或者接收 值。这些值只能是特定的类型:channel类型。定义一个channel时,也需要定义发送到channel的值的类型。注意, 必须使用make 创channel:
ci := make(chan int)
cs := make(chan string)
cf := make(chan interface{})
channel通过操作符<-来接收和发送数据
ch <- v // 发送v到channel ch
v := <-ch // 从ch中接收数据,并赋值给v
func sum(a []int, c chan int) {
sum := 0
for _, v := range a {
sum += v
}
c<-sum //sendsumtoc }
func main() {
a := []int{7, 2, 8, -9, 4, 0}
c := make(chan int)
go sum(a[:len(a)/2], c)
go sum(a[len(a)/2:], c)
x, y := <-c, <-c // receive from c
fmt.Println(x, y, x + y)
}
有疑问加站长微信联系(非本文作者)