逃逸分析的概念,go怎么开启逃逸分析的log。 以下资料来自互联网,有错误之处,请一定告之。
什么是逃逸分析
wiki上的定义
逃逸分析的用处(为了性能)
- 最大的好处应该是减少gc的压力,不逃逸的对象分配在栈上,当函数返回时就回收了资源,不需要gc标记清除。
- 因为逃逸分析完后可以确定哪些变量可以分配在栈上,栈的分配比堆快,性能好
- 同步消除,如果你定义的对象的方法上有同步锁,但在运行时,却只有一个线程在访问,此时逃逸分析后的机器码,会去掉同步锁运行。
go消除了堆和栈的区别
go在一定程度消除了堆和栈的区别,因为go在编译的时候进行逃逸分析,来决定一个对象放栈上还是放堆上,不逃逸的对象放栈上,可能逃逸的放堆上。
开启go编译时的逃逸分析日志
-gcflags '-m'-l-gcflags '-m -l'
Example:
package main import ( "fmt" ) func main() { s := "hello" fmt.Println(s) }
go run -gcflags '-m -l' escape.go
# command-line-arguments escape_analysis/main.go:9: s escapes to heap escape_analysis/main.go:9: main ... argument does not escape hello
什么时候逃逸,什么时候不逃逸
Example1:
package main type S struct{} func main() { var x S y := &x _ = *identity(y) } func identity(z *S) *S { return z }
Output:
# command-line-arguments escape_analysis/main.go:11: leaking param: z to result ~r1 level=0 escape_analysis/main.go:7: main &x does not escape
identity
Example2:
package main type S struct{} func main() { var x S _ = *ref(x) } func ref(z S) *S { return &z }
Output:
# command-line-arguments escape_analysis/main.go:11: &z escapes to heap escape_analysis/main.go:10: moved to heap: z
这里的z是逃逸了,原因很简单,go都是值传递,ref函数copy了x的值,传给z,返回z的指针,然后在函数外被引用,说明z这个变量在函数內声明,可能会被函数外的其他程序访问。所以z逃逸了,分配在堆上
对象里的变量会怎么样呢?看下面
Example3:
package main type S struct { M *int } func main() { var i int refStruct(i) } func refStruct(y int) (z S) { z.M = &y return z }
Output:
# command-line-arguments escape_analysis/main.go:13: &y escapes to heap escape_analysis/main.go:12: moved to heap: y
看日志的输出,这里的y是逃逸了,看来在struct里好像并没有区别,有可能被函数外的程序访问就会逃逸
Example4:
package main type S struct { M *int } func main() { var i int refStruct(&i) } func refStruct(y *int) (z S) { z.M = y return z }
Output:
# command-line-arguments escape_analysis/main.go:12: leaking param: y to result z level=0 escape_analysis/main.go:9: main &i does not escape
这里的y没有逃逸,分配在栈上,原因和Example1是一样的。
Example5:
package main type S struct { M *int } func main() { var x S var i int ref(&i, &x) } func ref(y *int, z *S) { z.M = y }
Output:
# command-line-arguments escape_analysis/main.go:13: leaking param: y escape_analysis/main.go:13: ref z does not escape escape_analysis/main.go:10: &i escapes to heap escape_analysis/main.go:9: moved to heap: i escape_analysis/main.go:10: main &x does not escape
这里的z没有逃逸,而i却逃逸了,这是因为go的逃逸分析不知道z和i的关系,逃逸分析不知道参数y是z的一个成员,所以只能把它分配给堆。
参考
Go Escape Analysis Flaws go-escape-analysis