4.2.1 while循环语句
作用:满足循环条件,执行循环语句
语法:while(循环条件) { 循环语句 }
解释:只要循环条件的结果为真,就执行循环语句
示例:
#include <iostream>
using namespace std;
int main() {
// while 循环
// 在屏幕中打印 0 ~ 9 这 10 个数字
int num = 0;
// while() 中填入循环条件
// 注意事项:在写循环一定要避免死循环的出现
while (num < 10)
{
cout << num << endl;
num++;
}
system("pause");
return 0;
}
注意:在执行循环语句时候,程序必须提供跳出循环的出口,否则出现死循环
while循环练习案例:猜数字
案例描述:系统随机生成一个1到100之间的数字,玩家进行猜测,如果猜错,提示玩家数字过大或过小,对 恭喜玩家胜利,并且退出游戏。
#include <iostream>
using namespace std;
// time系统时间头文件包含
#include <ctime>
int main() {
// 添加随机数种子 作用利用当前系统时间生成随机数,防止每次随机数都一样
srand((unsigned int)time(NULL));
// 1、系统生成随机数
int number = rand() % 100 + 1; // rand()%100 生成 0 + 1 ~ 99 + 1 随机数
//cout << number << endl;
// 2、玩家进行猜测
int val = 0; // 玩家输入的数据
int frequency = 0; // 玩家猜测的次数
cout << "猜数字游戏开始,请输入 1 到 100 之间的数字:" << endl;
// while (true)
// 只能猜 5 次
while (frequency < 5)
{
cin >> val;
// 3、判断玩家的猜测
if (number == val)
{
// 猜对 退出游戏
cout << "恭喜你才对了!" << endl;
break; // break,可以利用该关键字来退出当前循环
}
// 猜错 提示猜的结果 过大或者过小 重新返回第2步
else
{
frequency++;
cout << "你猜了 " << frequency << "次," << "还剩" << (5 - frequency) << "次" << endl;
number > val ? (cout << "您输入的数字过小,请重新输入:" << endl) : (cout << "您输入的数字过大,请重新输入:" << endl);
}
}
system("pause");
return 0;
}