本文主要是介绍C++初学(18),希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
18.1、读取数字的循环
假设要编写一个将一系列的数字读入到数组中的程序,并允许用户在数组填满之前结束输入。一种方法是利用cin:
int n;
cin>>n;
如果用户输入的是一个单词,而不是一个数字将会怎么样?可能会发生这些情况:
(1)n的值保持不变;
(2)不匹配的输入将被留在输入队伍中;
(3)cin对象中的一个错误标记被设置;
(4)如果被转换为bool类型,对cin方法的调用将返回false
方法返回false意味着可以用非数字输入来结束数字的循环。非数字输入设置错误标记意味着必须充值该标记,程序才能继续读取输入。clear()方法重置错误输入标记,同时也重置文件尾(EOF条件),后面会区分EOF和输入错误的(可能吧)。
现在假设要编写一个程序,来计算平均每天捕获的鱼的重量,这里假设每天最多捕获5条鱼,如果数组被填满或者输入了非数字输入,循环将结束。
#include<iostream>
const int Max = 5;
int main()
{using namespace std;double fish[Max]; cout << "Please enter the weights of your fish." << endl;cout << "You may enter up to " << Max<< " fish <q to terminate>." << endl;cout << "fish #1:";int i = 0;while (i<Max && cin >> fish[i]){if (++i < Max)cout << "fish #" << i + 1 << ": ";}double total = 0.0;for (int j = 0; j < i; j++){total += fish[j];}if (i == 0)cout << "No fish" << endl;elsecout << total / i << " = average weight of "<< i << " fish" << endl;cout << "Done." << endl;return 0;
}
这个程序里面的一个表达式cin>>fish[i]实际上是一个cin方法函数调用,该函数返回cin。如果cin位于测试条件中,则将被转换为bool类型。如果输入成功,则转换后的值为true,否则为false。如果表达式的值为false,则循环结束。
注意一下下面这个代码行:
while(i<Max && cin>>fish[i]){
如果逻辑AND表达式的左侧为false,则C++将不会判断右侧的表达式。在这里,对右侧的表达式进行判定意味着用cin将输入放到数组中。如果i等于Max,则循环将会结束。
下面继续看一个例子加深印象:提供五个分数来计算平均成绩,如果输入不是数字则会要求用户继续输入。
#include<iostream>
const int Max = 5;
int main()
{using namespace std;int golf[Max];cout << "Please enter your golf scores." << endl;cout << "You must enter " << Max << " rounds." << endl;int i;for (i = 0; i < Max; i++){cout << "round #" << i + 1 << ": ";while (!(cin >> golf[i])){cin.clear();while (cin.get() != '\n')continue;cout << "Please enter a number: ";}}double total = 0.0;for (i = 0; i < Max; i++)total += golf[i];cout << total / Max << "= average score "<< Max << " rounds" << endl; return 0;
}
这个程序的关键在这里:
while (!(cin >> golf[i])){cin.clear();while (cin.get() != '\n')continue;cout << "Please enter a number: ";}
如果用户输入数字,则cin的表达式为true,因此将一个值放到数组里;而表达式!(cin >> golf[i])为false,因此结束内部循环。如果用户输入must i?,则与上面相反。进入循环后,第一句的cin.clear()方法重置输入,接下来程序在while循环中使用cin.get()来读取行尾之前的所有输入从而删除这一行的错误输入。
这篇关于C++初学(18)的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!