如何只接受整数并忽略其他数据类型?

时间:2017-09-21 13:35:44

标签: c++

我是C ++的初学者,我想知道你是否可以帮助我。

我正在制作一个程序,并且该程序需要进行错误检查。 那么,我怎么才能接受整数而忽略其他数据类型?

例如:

int tilenumber;
cin >> tilenumber;
cin.clear();
cin.ignore();
cin >> words;

当我的代码运行时:

输入:1          嘿,我想跳舞

输出:我想跳舞

///

我想要的是什么:

案例1: 输入:1

嘿,我想跳舞

输出:嘿,我想跳舞

案例2: 输入:1e

嘿,我想跳舞

输出:嘿,我想跳舞

为什么我的代码不起作用?

我尝试使用上面的代码来解决我的问题,但它无效。

感谢。

1 个答案:

答案 0 :(得分:1)

阅读整个字符串并使用std::stoi函数:

#include <iostream>
#include <string>
int main() {
    std::cout << "Enter an integer: ";
    std::string tempstr;
    std::getline(std::cin, tempstr);
    try {
        int result = std::stoi(tempstr);
        std::cout << "The result is: " << result;
    }
    catch (std::invalid_argument) {
        std::cout << "Could not convert to integer.";
    }
}

替代方法是使用std::stringstream并进行解析:

#include <iostream>
#include <string>
#include <sstream>
int main() {
    std::cout << "Enter an integer: ";
    std::string tempstr;
    std::getline(std::cin, tempstr);
    std::stringstream ss(tempstr);
    int result;
    if (ss >> result) {
        std::cout << "The result is: " << result;
    }
    else {
        std::cout << "Could not convert to integer.";
    }
}