Go有没有foreach循环?

Go语言中是否有foreach构造? 我可以使用for循环遍历切片或数组吗?


http://golang.org/doc/go_spec.html#For_statements

具有“范围”子句的“for”语句遍历数组,切片,字符串或映射的所有条目或通道上接收的值。 对于每个条目,它将迭代值分配给相应的迭代变量,然后执行该块。

举个例子:

for index, element := range someSlice {
    // index is the index where we are
    // element is the element from someSlice for where we are
}

如果你不关心索引,你可以使用_

for _, element := range someSlice {
    // element is the element from someSlice for where we are
}

下划线_是空白标识符,是一个匿名占位符。


遍历数组片段

// index and value
for i, v := range slice {}

// index only
for i := range slice {}

// value only
for _, v := range slice {}

遍历地图

// key and value
for key, value := range theMap {}

// key only
for key := range theMap {}

// value only
for _, value := range theMap {}

迭代频道

for v := range theChan {}

迭代通道相当于从通道接收直到它关闭:

for {
    v, ok := <-theChan
    if !ok {
        break
    }
}

以下示例显示如何在for循环中使用range运算符来实现foreach循环。

func PrintXml (out io.Writer, value interface{}) error {
    var data []byte
    var err error

    for _, action := range []func() {
        func () { data, err = xml.MarshalIndent(value, "", "  ") },
        func () { _, err = out.Write([]byte(xml.Header)) },
        func () { _, err = out.Write(data) },
        func () { _, err = out.Write([]byte("n")) }} {
        action();
        if err != nil {
            return err
        }
    }
    return nil;
}

该示例遍历一系列函数来统一函数的错误处理。 Google的游乐场就是一个完整的例子。

PS:它也显示了吊括号对于代码的可读性来说是一个坏主意。 提示: for条件在action()调用之前结束。 很明显,不是吗?

链接地址: http://www.djcxy.com/p/59141.html

上一篇: Is there a foreach loop in Go?

下一篇: In PHP 5.3.0, what is the function "use" identifier?