3

所以我想使用字符串流将字符串转换为整数。

假设一切都完成了:

 using namespace std;

一个似乎有效的基本案例是当我这样做时:

 string str = "12345";
 istringstream ss(str);
 int i;
 ss >> i;

效果很好。

但是,可以说我有一个字符串定义为:

string test = "1234567891";

我这样做:

int iterate = 0;
while (iterate):
    istringstream ss(test[iterate]);
    int i;
    ss >> i;
    i++;

这不像我想要的那样工作。本质上,我要单独处理字符串的每个元素,就好像它是一个数字一样,所以我想先将它转换为 int,但我似乎也不能。有人可以帮我吗?

我得到的错误是:

   In file included from /usr/include/c++/4.8/iostream:40:0,
             from validate.cc:1:
/usr/include/c++/4.8/istream:872:5: note: template<class _CharT, class _Traits, class _Tp> std::basic_istream<_CharT, _Traits>& std::operator>>(std::basic_istream<_CharT, _Traits>&&, _Tp&)
 operator>>(basic_istream<_CharT, _Traits>&& __is, _Tp& __x)
 ^
/usr/include/c++/4.8/istream:872:5: note:   template argument     deduction/substitution failed:
validate.cc:39:12: note:   ‘std::ostream {aka std::basic_ostream<char>}’ is not derived from ‘std::basic_istream<_CharT, _Traits>’
cout >> i >> endl;
4

2 回答 2

3

你需要的是这样的:

#include <iostream>
#include <sstream>

int main()
{
    std::string str = "12345";
    std::stringstream ss(str);
    char c; // read chars
    while(ss >> c) // now we iterate over the stringstream, char by char
    {
        std::cout << c << std::endl;
        int i =  c - '0'; // gets you the integer represented by the ASCII code of i
        std::cout << i << std::endl;
    }
}

Live on Coliru

如果使用int c;instead 作为 的类型c,则ss >> c读取整个整数12345,而不是按char读取char。如果您需要将 ASCII 转换为c它所代表的整数,请'0'从中减去,例如int i = c - '0';

编辑正如评论中提到的@dreamlax,如果您只想读取字符串中的字符并将它们转换为整数,则无需使用stringstream. 您可以将初始字符串迭代为

for(char c: str)
{
    int i = c - '0';
    std::cout << i << std::endl;
}
于 2015-10-12T03:15:40.583 回答
3

有两点你应该明白。

  1. 如果你使用索引来访问字符串,你会得到字符。
  2. istringstream需要string作为参数而不是字符来创建对象。

现在你在你的代码中

    int iterate = 0;
     while (iterate):
    /* here you are trying to construct istringstream object using  
 which is the error you are getting*/
        istringstream ss(test[iterate]); 
        int i;
        ss >> i;

要纠正此问题,您可以按照以下方法

istringstream ss(str); 
int i;
while(ss>>i)
{
    std::cout<<i<<endl
}
于 2015-10-12T03:29:56.050 回答