我想知道如何使用std::cin
将输入值限制为带符号的小数。
答案 0 :(得分:11)
如果cin
的支持变量是一个数字,并且提供的字符串不是数字,则返回值为false,因此您需要一个循环:
int someVal;
while(!(cin >> someVal)) {
cin.reset();
cout << "Invalid value, try again.";
}
答案 1 :(得分:3)
double i;
//Reading the value
cin >> i;
//Numeric input validation
if(!cin.eof())
{
peeked = cin.peek();
if(peeked == 10 && cin.good())
{
//Good!
count << "i is a decimal";
}
else
{
count << "i is not a decimal";
cin.clear();
cin >> discard;
}
}
这也会给出输入-1a2.0的错误消息,避免仅将-1分配给i。
答案 2 :(得分:1)
cin&gt;&gt;运算符通过一次读取一个字符直到它碰到空白来工作。这将淹没整个字符串-1a2.0
,这显然不是一个数字,因此操作失败。看起来你实际上有三个字段,-1,a和2.0。如果您按空格分隔数据,cin将能够毫无问题地读取每个数据。请记住为第二个字段阅读char
。
答案 3 :(得分:1)
input.h
#include <ios> // Provides ios_base::failure
#include <iostream> // Provides cin
template <typename T>
T getValidatedInput()
{
// Get input of type T
T result;
cin >> result;
// Check if the failbit has been set, meaning the beginning of the input
// was not type T. Also make sure the result is the only thing in the input
// stream, otherwise things like 2b would be a valid int.
if (cin.fail() || cin.get() != '\n')
{
// Set the error state flag back to goodbit. If you need to get the input
// again (e.g. this is in a while loop), this is essential. Otherwise, the
// failbit will stay set.
cin.clear();
// Clear the input stream using and empty while loop.
while (cin.get() != '\n')
;
// Throw an exception. Allows the caller to handle it any way you see fit
// (exit, ask for input again, etc.)
throw ios_base::failure("Invalid input.");
}
return result;
}
用法
inputtest.cpp
#include <cstdlib> // Provides EXIT_SUCCESS
#include <iostream> // Provides cout, cerr, endl
#include "input.h" // Provides getValidatedInput<T>()
int main()
{
using namespace std;
int input;
while (true)
{
cout << "Enter an integer: ";
try
{
input = getValidatedInput<int>();
}
catch (exception e)
{
cerr << e.what() << endl;
continue;
}
break;
}
cout << "You entered: " << input << endl;
return EXIT_SUCCESS;
}
样品运行
输入一个整数: a
输入无效。
输入一个整数: 2b
输入无效。
输入一个整数: 3
你输入了:3。
答案 4 :(得分:0)
我不是想要粗鲁。我只想分享一个我提供的解决方案,我相信它更强大,并且可以进行更好的输入验证。
答案 5 :(得分:0)
我尝试了许多使用>>
运算符从用户读取整数输入的技术,但是在某种程度上我的所有实验都失败了。
现在我认为getline()
函数(不是std::istream
上具有相同名称的方法)和include strtol()
中的cstdlib
函数是唯一可预测的一致解决方案对于这个问题。如果有人证明我错了,我将不胜感激。这就像我使用的那样:
#include <iostream>
#include <cstdlib>
// @arg prompt The question to ask. Will be used again on failure.
int GetInt(const char* prompt = "? ")
{
using namespace std; // *1
while(true)
{
cout << prompt;
string s;
getline(cin,s);
char *endp = 0;
int ret = strtol(s.c_str(),&endp,10);
if(endp!=s.c_str() && !*endp)
return ret;
}
}
using namespace whatever;
放置到全局范围可能会导致较大项目中的“统一构建”(谷歌!),因此应该避免。不要那样使用,即使是在较小的项目上也是如此!>>
上的同一计划中使用getline()
和cin
会导致一些问题。只使用其中一个,或谷歌知道如何处理问题(不太难)。答案 6 :(得分:-5)
类似的东西:
double a;
cin >> a;
应该阅读您签名的“十进制”罚款。
你需要一个循环和一些代码来确保它以合理的方式处理无效输入。
祝你好运!