Go实战
生命不止,继续 go go go !!!
学习golang这么久了,还没看到类似传统的 try…catch…finally 这种异常捕捉方式。
但是,Go中引入的Exception处理:defer, panic, recover。
那么今天跟大家分享一下golang中的defer。闲言少叙,看一下defer的作用:
Defer is used to ensure that a function call is performed later in a program’s execution, usually for purposes of cleanup. defer is often used where e.g. ensure and finally would be used in other languages.
defer的思想类似于C++中的析构函数,不过Go语言中“析构”的不是对象,而是函数,defer就是用来添加函数结束时执行的语句。注意这里强调的是添加,而不是指定,因为不同于C++中的析构函数是静态的,Go中的defer是动态的。
引自:http://www.cnblogs.com/ghj1976/archive/2013/02/11/2910114.html
说多无用,想来个开胃菜,看看如何使用:
package main
import 'fmt'
func main() {
defer goodbye()
defer goodnight()
fmt.Println('Hello world.')
}
func goodnight() {
fmt.Println('GoodNight')
}
func goodbye() {
fmt.Println('Goodbye')
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
输出:
Hello world.
GoodNight
Goodbye
看出什么了吗?
**defer在函数结束之前执行
多个defer的执行顺序: Multiple defers are stacked last-in first-out so that the most recently deferred function is run first.**
那么defer之前就return了呢?
package mainimport 'fmt'func main() {fmt.Println('Hello world.')returndefer goodbye()defer goodnight()}func goodnight() {fmt.Println('GoodNight')}func goodbye() {fmt.Println('Goodbye')}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
输出:
Hello world.
defer是在return之前执行的
defer用于关闭文件
package main
import 'fmt'
import 'os'
func main() {
f := createFile('/tmp/defer.txt')
defer closeFile(f)
writeFile(f)
}
func createFile(p string) *os.File {
fmt.Println('creating')
f, err := os.Create(p)
if err != nil {
panic(err)
}
return f
}
func writeFile(f *os.File) {
fmt.Println('writing')
fmt.Fprintln(f, 'data')
}
func closeFile(f *os.File) {
fmt.Println('closing')
f.Close()
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
defer用于锁
func Divide(i int) error {mu.Lock()defer mu.Unlock()if i == 0 {return errors.New('Can't divide by zero!')}val /= ireturn nil}
1
2
3
4
5
6
7
8
9
10
11
defer中的坑儿
看下面的代码:
package main
import (
'fmt'
)
func main() {
fmt.Println(f())
fmt.Println(f1())
fmt.Println(f2())
}
func f() (result int) {
defer func() {
result++
}()
return 0
}
func f1() (r int) {
t := 5
defer func() {
t = t + 5
}()
return t
}
func f2() (r int) {
defer func(r int) {
r = r + 5
}(r)
return 1
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
输出:
1
5
1
要使用defer时不踩坑,最重要的一点就是要明白,return xxx这一条语句并不是一条原子指令!
函数返回的过程是这样的:先给返回值赋值,然后调用defer表达式,最后才是返回到调用函数中。
defer表达式可能会在设置函数返回值之后,在返回到调用函数之前,修改返回值,使最终的函数返回值与你想象的不一致。