Go break语句
在Go编程语言中, break 语句有以下两种用法:
- 当在循环内遇到 break 语句时,循环立即终止,程序控制会在循环后的下一条语句处继续。
-
它可以用于终止 switch 语句中的一个case。
如果你正在使用嵌套循环,break语句会停止内部最近的循环的执行,并开始执行块后的下一行代码。
语法
在Go中, break 语句的语法如下:
break;
流程图
示例
package main
import "fmt"
func main() {
/* local variable definition */
var a int = 10
/* for loop execution */
for a < 20 {
fmt.Printf("value of a: %d\n", a);
a++;
if a > 15 {
/* terminate the loop using break statement */
break;
}
}
}
当上述代码被编译并执行时,它会产生如下结果−
value of a: 10
value of a: 11
value of a: 12
value of a: 13
value of a: 14
value of a: 15