C ++如何检查Shell的输入数量

时间:2015-02-04 09:48:35

标签: c++ shell command cin

void test() {
    int i ,j;
    cout << "enter the i and j" << endl;
    cin >> i >> j;
    if (j <= 5 && j > 0 && i > 0 && i <= 9) {
        cout << "right" <<endl;
    } else {
        cout << "error" << endl;
        test();
    }
}

int main(int argc, const char * argv[]) {
    test();
}

如何从命令行检查输入是完全正确的?

下面是一些错误的测试,我们应该在else部分运行代码。

  

foo ags

但命令行中的结果是28行错误信息。 但我想要的只是一行代码显示“错误”

有什么问题?

另一个

下面是我的C ++代码:

void test(int array[], int length) {
    int index;  // the index of heap array that human want to modify
    int num;  // the number of heap in the index position
    cout << "input the index and num" << endl << flush;
    string si,sj;
    try{
        cin >> si >> sj;
        index = stoi(sj);
        num = stoi(si);
    }catch(std::exception e){
        cout << "error, try again" << endl;
        test(array, length);
    }
    if (index <= length && index > 0 && num > 0 && num <= array[index - 1]) {
        array[index - 1] -= num;
        // print(array, length);
    } else {
        cout << "error, try again" << endl;
        test(array, length);
    }
}

现在有一个shell来运行这段代码,但是在shell中,存在如下输入:

  

输入索引和数字2 1

这是正确的

  

输入索引和数字2

它只有1个值,并且程序在这里被阻止等待另一个输入,我应该想出来并输出“错误,再试一次”

  

输入索引和数字1 2 3

这也是不正确的,因为有超过2个输入值。同样,我应该弄明白并输出“错误,再试一次”

如何处理?

2 个答案:

答案 0 :(得分:2)

首先,您需要将输入读取为字符串,然后将字符串转换为int,并使用std :: stoi检查错误。假设你需要ony&#34;错误&#34;消息,使用try-catch块仅捕获std :: exception并输出&#34; error&#34;。 其次,如果出现错误,重复调用test(),你需要使用某种lopp而不要从test()内部调用test()。这种技术称为递归调用,用于其他目的,而不是简单的重复。 我修改了你的test()函数以返回bool值,如果成功则返回true,如果出错则返回false,然后从while()循环调用它,如果返回false则重复调用。 关于你的第二个问题,你需要分别输入数字,每个都在不同的行上。该程序将能够单独检查每个号码。见代码:

#include <string>
#include <iostream>
bool test() {
    int i ,j;
    std::string si,sj;
    try{
        cout << "enter i:" << endl;
        cin >> si;
        i = std::stoi(si);
        cout << "enter j:" << endl;
        cin >> sj;
        j = std::stoi(sj);
    }catch(std::exception e){
        cout << "error";
        return false;
    }
    if (j <= 5 && j > 0 && i > 0 && i <= 9) {
        cout << "right" <<endl;
        return true;
    } else {
        cout << "error" << endl;
        return false;
    }
}

int main(int argc, const char * argv[]) {
    while(!test()){}
}

答案 1 :(得分:1)

cin >> i >> j;只是跳过前导空格,然后读取由空格分隔的两个格式化的int值。如果您在示例中输入更多内容,则其余内容将保留在输入流缓冲区中。如果再次致电test()cin将从该缓冲区中读取。

您可以使用cin.ignore(numeric_limits<streamsize>::max())解决该问题,因为它会清除缓冲区。