C++跳出while循环的各种方法
时间: 2023-11-10 10:14:20 浏览: 1156
简单掌握C++编程中的while与do-while循环语句使用
5星 · 资源好评率100%
在C++中,有多种方法可以跳出while循环,以下是常用的几种方法:
1. 使用break语句:可以在满足某个条件时跳出循环,例如:
```
while (true) {
int x;
cin >> x;
if (x == -1) {
break;
}
cout << x << endl;
}
```
2. 使用goto语句:尽管goto语句不太被推荐使用,但是它可以在需要的时候强制跳转到指定标签处,例如:
```
start:
while (true) {
int x;
cin >> x;
if (x == -1) {
goto end;
}
cout << x << endl;
}
end:
```
3. 使用return语句:如果while循环是在函数中执行的,可以使用return语句来跳出循环并返回函数值,例如:
```
int func() {
while (true) {
int x;
cin >> x;
if (x == -1) {
return 0;
}
cout << x << endl;
}
}
```
注意:在使用return语句时,如果需要在循环中执行一些清理工作,应该在return语句前执行。
4. 使用标志变量:可以定义一个标志变量来控制循环是否继续执行,例如:
```
bool flag = true;
while (flag) {
int x;
cin >> x;
if (x == -1) {
flag = false;
}
cout << x << endl;
}
```
以上是常用的几种方法,选择哪种方法跳出循环取决于具体情况和个人偏好。
阅读全文