0

我是 C++ 新手,我正在试验 C++ 中的函数是如何工作的。

#include <iostream>

using namespace std;

int add(int num, int num2){
    return num + num2;
}

int main(){

    int n1, n2;
    cout << "first\t";
    cin >> n1;
    cout << "second\t";
    cin >> n2;

    cout << "----------\nResult\t" << add(n1, n2) << endl << endl;

    return 0;
}

当我输入两个数字时效果很好;但是当我输入一个字符串时,它只是跳过了该cin >> n2行并返回6959982

first   test
second  ----------
Result  6959982

为什么会这样?

4

2 回答 2

2

只是什么都没读。Stream 获取失败位并忽略所有后续读数。

6959982 is initial value of n2.

你应该检查阅读的结果。例子:

if(!(cin >> n1)) {
   cout << "input is garbage!";
}
于 2013-07-03T22:30:19.070 回答
0

http://www.parashift.com/c++-faq/istream-and-ignore.html

// Ask for a number, and if it is not a number, report invalid input.
while ((std::cout << "Number: ") && !(std::cin >> num)) {
    std::cout << "Invalid Input." << std::endl;
}

有趣的数字是因为在 C++ 中,整数默认不是 0(它们可能取决于实现)。因此,无论何时声明一个数字,都应将其设置为默认值:

int x = 0;
于 2013-07-03T22:43:29.863 回答