我可以判断一个std :: string是否使用stringstream表示一个数字?

时间:2011-02-07 00:38:20

标签: c++ numbers stringstream words

显然,这应该用于显示字符串是否为数字,例如“12.5”== yes,“abc”== no。但无论输入如何,我都会得到“否”。

std::stringstream ss("2");
double d; ss >> d;
if(ss.good()) {std::cout<<"number"<<std::endl;}
else {std::cout<<"other"<<std::endl;}

4 个答案:

答案 0 :(得分:7)

不要使用good()!测试流是否为failed or not

if (ss)

Good告诉你是否设置了eofbit,badbit或failbit,而fail()告诉你badbit和failbit。你几乎从不关心eofbit,除非你已经知道流失败了,所以你几乎不想使用好的。

请注意,如上所述,直接测试流完全等同于:

if (!ss.fail())

相反,!ss相当于ss.fail()。


将提取结合到条件表达式中:

if (ss >> d) {/*...*/}

完全等同于:

ss >> d;
if (ss) {/*...*/}

但是,您可能想测试完整的字符串是否可以转换为double,这有点复杂。使用boost :: lexical_cast已经处理了所有情况。

答案 1 :(得分:6)

如果你想检查string是否只包含 一个数字而不包含任何其他内容(除了空格),请使用:

#include <sstream>

bool is_numeric (const std::string& str) {
    std::istringstream ss(str);
    double dbl;
    ss >> dbl;      // try to read the number
    ss >> std::ws;  // eat whitespace after number

    if (!ss.fail() && ss.eof()) {
        return true;  // is-a-number
    } else {
        return false; // not-a-number
    }
}

ss >> std::ws对于接受带有跟踪空格的数字非常重要,例如"24 "

ss.eof()检查对于拒绝"24 abc"等字符串非常重要。它确保我们在读取数字(和空格)后到达字符串的末尾。

测试工具:

#include <iostream>
#include <iomanip>

int main()
{
    std::string tests[8] = {
            "", "XYZ", "a26", "3.3a", "42 a", "764", " 132.0", "930 "
    };
    std::string is_a[2] = { "not a number", "is a number" };
    for (size_t i = 0; i < sizeof(tests)/sizeof(std::string); ++i) {
        std::cout << std::setw(8) << "'" + tests[i] + "'" << ": ";
        std::cout << is_a [is_numeric (tests[i])] << std::endl;
    }
}

输出:

      '': not a number
   'XYZ': not a number
   'a26': not a number
  '3.3a': not a number
  '42 a': not a number
   '764': is a number
' 132.0': is a number
  '930 ': is a number

答案 2 :(得分:4)

您应该使用istringstream,以便它知道它正在尝试解析输入。另外,只需直接检查提取结果,而不是稍后使用good

#include <sstream>
#include <iostream>

int main()
{
    std::istringstream ss("2");
    double d = 0.0;
    if(ss >> d) {std::cout<<"number"<<std::endl;}
    else {std::cout<<"other"<<std::endl;}
}

答案 3 :(得分:-1)

int str2int (const string &str) {
  stringstream ss(str);
  int num;
  if((ss >> num).fail())
  { 
      //ERROR: not a number
  }
  return num;
}