不同形式的循环

使用一个变量的简单形式:

for i := 0; i < 10; i++ {
    fmt.Print(i, " ")
}

使用两个变量(或更多):

for i, j := 0, 0; i < 5 && j < 10; i, j = i+1, j+2 {
    fmt.Println(i, j)
}

不使用初始化语句:

i := 0
for ; i < 10; i++ {
    fmt.Print(i, " ")
}

没有测试表达式:

for i := 1; ; i++ {
    if i&1 == 1 {
        continue
    }
    if i == 22 {
        break
    }
    fmt.Print(i, " ")
}

没有增量表达式:

for i := 0; i < 10; {
    fmt.Print(i, " ")
    i++
}

当删除所有三个初始化,测试和增量表达式时,循环变为无限:

i := 0
for {
    fmt.Print(i, " ")
    i++
    if i == 10 {
        break
    }
}

这是一个无限循环的例子,计数器初始化为零:

for i := 0; ; {
    fmt.Print(i, " ")
    if i == 9 {
        break
    }
    i++
}

当只使用测试表达式时(就像典型的 while 循环一样):

i := 0
for i < 10 {
    fmt.Print(i, " ")
    i++
}

仅使用增量表达式:

i := 0
for ; ; i++ {
    fmt.Print(i, " ")
    if i == 9 {
        break
    }
}

使用索引和值迭代一系列值:

ary := [5]int{0, 1, 2, 3, 4}
for index, value := range ary {
    fmt.Println("ary[", index, "] =", value)
}

使用索引迭代范围:

for index := range ary {
    fmt.Println("ary[", index, "] =", ary[index])
}

使用索引迭代范围:

for index, _ := range ary {
    fmt.Println("ary[", index, "] =", ary[index])
}

仅使用值迭代范围:

for _, value := range ary {
    fmt.Print(value, " ")
}

使用地图的键和值迭代范围(可能不是按顺序):

mp := map[string]int{"One": 1, "Two": 2, "Three": 3}
for key, value := range mp {
    fmt.Println("map[", key, "] =", value)
}

使用地图键(可能不按顺序)迭代范围:

for key := range mp {
    fmt.Print(key, " ") //One Two Three
}

使用地图键(可能不按顺序)迭代范围:

for key, _ := range mp {
    fmt.Print(key, " ") //One Two Three
}

仅使用 map 的值迭代一个范围(可能不是按顺序):

for _, value := range mp {
    fmt.Print(value, " ") //2 3 1
}

迭代通道范围(如果通道关闭则退出):

ch := make(chan int, 10)
for i := 0; i < 10; i++ {
    ch <- i
}
close(ch)

for i := range ch {
    fmt.Print(i, " ")
}

迭代字符串的范围(给出 Unicode 代码点):

utf8str := "B = \u00b5H" //B = µH
for _, r := range utf8str {
    fmt.Print(r, " ") //66 32 61 32 181 72
}
fmt.Println()
for _, v := range []byte(utf8str) {
    fmt.Print(v, " ") //66 32 61 32 194 181 72
}
fmt.Println(len(utf8str)) //7

如你所见,utf8str 有 6 个符文(Unicode 代码点)和 7 个字节。