当前位置: 首页>>编程语言>>正文


Go语言教程:闭包

返回Go语言教程首页

概念简介

Go语言支持匿名函数,并能用其构造 闭包
匿名函数在你想定义一个不需要命名的内联函数时是很实用的。

例程代码


package main

import "fmt"

// 这个 `intSeq` 函数返回另一个在 `intSeq` 函数体内定义的
// 匿名函数。这个返回的函数使用闭包的方式 _隐藏_ 变量 `i`。
func intSeq() func() int {
    i := 0
    return func() int {
        i++
        return i
    }
}

func main() {

    // 我们调用 `intSeq` 函数,将返回值(一个函数)赋给
    // `nextInt`。这个函数的值包含了自己的值 `i`,这样在每
    // 次调用 `nextInt` 时都会更新 `i` 的值。
    nextInt := intSeq()

    // 通过多次调用 `nextInt` 来看看闭包的效果。
    fmt.Println(nextInt())
    fmt.Println(nextInt())
    fmt.Println(nextInt())

    // 为了确认这个状态对于这个特定的函数是唯一的,我们
    // 重新创建并测试一下。
    newInts := intSeq()
    fmt.Println(newInts())
}

执行&输出


$ go run closures.go
1
2
3
1

# 我们马上要学习关于函数的最后一个特性:递归。

课程导航

学习上一篇:Go语言教程:可变参数函数    学习下一篇:Go语言教程:递归

相关资料

本例程github源代码:https://github.com/xg-wang/gobyexample/tree/master/examples/closures

Go语言闭包

本文由《纯净天空》出品。文章地址: https://vimsky.com/article/4024.html,未经允许,请勿转载。