1

以下程序期望用户以混合分数格式“whole_numbernumerator/denominator”输入,并将值分配给各个变量。

#include<iostream>
using namespace std;

int main()
{
    int whole, numerator, denominator;

    cout << "Input format: i<space>n/d" << endl;

    cin >> whole;
    cin.ignore(1000, ' ');
    cin >> numerator;
    cin.ignore(1000, '/');
    cin >> denominator;

    cout << whole << endl;
    cout << numerator << endl;
    cout << denominator << endl;

    return 0;
}

Input1:
123 345/678
Output1:
123
345
678

Input2 :
1111111111 1111111111/1111111111
Output2:
1111111111
1111111111
1111111111

Input3:
2222222222 2222222222/222222222 Output3
:
2147483647
0
0

I haven't been able to figure out why the program doesn't work for输入 3。

4

1 回答 1

3

您溢出了 32 位整数 (2^31-1 ~= 2.147b) 的最大值。一旦发生这种情况,cin在您清除标志之前无法正常工作。您应该检查错误,但短期解决方案是使您的号码无符号,或使用 64 位号码,例如int64_t. 您也不需要忽略空格,cin默认情况下会跳过它。

您可以实现类似于此处找到的内容以确保有效输入,但需要对其进行定制以适合您的特定输入格式。也许用一个重载的运算符将这三个封装成一个类型,该运算符输入每个与格式相关的内容会使语法更合适,因此您可以age在示例中用一个MixedNumber对象替换。

我会看到这样的东西作为一种通用的方法:

template <typename T> //any type will work
void getValidInput (T &var, std::string prompt = "Input: ") {
    while ((std::cout << prompt) && !(std::cin >> var)) { //if cin fails...
        std::cin.clear();                 //clear flag and discard bad input
        std::cin.ignore (std::numeric_limits<std::streamsize>::max(), '\n');
        std::cout << "Invalid input; please re-enter.\n"; //let the user know
    } 
}

然后你可以让你的程序如下:

struct MixedNumber { //a data structure, so it's like using plain variables
    int64_t whole; 
    int64_t numerator;
    int64_t denominator;
};

std::istream &operator>> (std::istream &in, MixedNumber &num) { //so cin works
    in >> num.whole >> num.numerator;
    in.ignore(); //yes, you could enforce the format a bit more
    in >> num.denominator;
    return in;
}

int main() {
    MixedNumber num; //easy to "make" a mixed number, a constructor works well too
    getValidInput (num, "Input format: i<space>n/d: "); 
    std::cout << num.whole << '\n' << num.numerator << '\n' << num.denominator;
}
于 2012-06-15T02:21:51.040 回答