如何只允许用户输入正整数?

时间:2018-11-02 17:59:35

标签: c++ input iostream

我一直试图仅允许正整数输入到我的程序中。但是有效的方法是使用 character 输入和负整数十进制数。有任何解决办法的想法吗?

#include <iostream>
using namespace std;

int main()
{
    int row, col, i, i1, j, test;
    double n;
    test = 0;

    while (test == 0) 
    {
        cout << "Enter the number of rows: " << endl;
        cin >> row;
        if (cin.fail() || row <= 0 || !(row == (int)row)) 
        {
            cout << "\nEntered value is wrong!";
            printf("\n");
            cin.clear();
            cin.ignore();
            test = 0;
        }
        else {  test = 1;  }
    }
}

2 个答案:

答案 0 :(得分:1)

  

我一直试图只允许输入正整数   程序。

如果您将用户输入作为字符串而不是整数,则可以轻松地借助 std::isdigit 进行检查。

  1. 将用户输入作为 string
  2. 对于字符串中的每个字符,请检查其是否为数字(使用std::isdigit)。
  3. 如果用户输入中的任何字符(字符串)不是有效数字,则返回boolean = false
  4. 如果对所有字符都成立,则 input 是整数,您可以使用 std::to_string 将其转换回整数。

以下是示例代码: SEE LIVE

#include <iostream>
#include <cctype> // std::isdigit
#include <string>
#include <vector>

bool isInteger(const std::string& input)
{
    for (const char eachChar : input)
        if (!std::isdigit(eachChar))
            return false;  // if not a digit, return  False
    return true; 
}

int main()
{
    std::vector<std::string> inputs{ "123", "-54", "8.5", "45w" }; // some inputs as strings
    for(const std::string& input: inputs)
    {
        if (isInteger(input))
        {
            // apply std::stoi(input) to convert string input to integer
            std::cout << "Input is a valid integer: " << input << std::endl;
        }
        else {  std::cout << input << " is not a valid integer!\n"; }
    }
}

输出

Input is a valid integer: 123
-54 is not a valid integer!
8.5 is not a valid integer!
45w is not a valid integer!

答案 1 :(得分:0)

这可能是您想要的( demo ):

#include <iostream>
#include <limits>

int main()
{
  using namespace std;

  int n;
  while ( !( cin >> n ) || n < 0 )
  {
    cin.clear();
    cin.ignore( numeric_limits<std::streamsize>::max(), '\n' );
  }

  //...

  return 0;
}