1

我正在尝试将一些整数存储在一个文件中,并使用“,”作为分隔符来存储它。现在,当我读取文件时,我使用 getline() 读取该行并使用标记器来分隔文件,但是,我无法终止该行,我需要 getline 中的一些布尔条件来终止。

 while(getline(read,line)) {
         std::cout<<line<<std::endl;
         std::istringstream tokenizer(line);
         std::string token;
         int value;

         while(????CONDN???) {
                 getline(tokenizer,token,',');
                 std::istringstream int_value(token);
                 int_value>>value;
                 std::cout<<value<<std::endl;
         }
  }

请指教。

4

1 回答 1

2

getline在您的情况下,以与在外循环中相同的方式使用就足够了:

while(getline(tokenizer, token, ','))

虽然很可能我会做这样的事情:

while(std::getline(read,line)) { // read line by line
     std::replace(line.begin(), line.end(), ',', ' ' ); // get rid of commas
     std::istringstream tokenizer(line);
     int number;

     while(tokenizer >> number) // read the ints
         std::cout<<number<<std::endl;
}

还有另外两种选择——使用 Boost。

字符串算法

#include <boost/algorithm/string.hpp>
...
std::vector<std::string> strings;
boost::split(strings, "1,3,4,5,6,2", boost::is_any_of(","));

标记器

#include <boost/tokenizer.hpp>
typedef boost::char_separator<char> separator_t;
typedef boost::tokenizer<separator_t> tokenizer_t;
...
tokenizer_t tokens(line, sep);
for(tokenizer_t::iterator it = tokens.begin(); it != tokens.end(); ++it)
    std::cout << *it << std::endl;

如果您希望遇到非int、非分隔符,例如1 3 2 XXXX 4. 然后你必须决定在这种情况下该怎么做。tokenizer >> number将停在不是 an 的地方int,并设置istringstream错误标志。boost::lexical_cast也是你的朋友:

#include <boost/lexical_cast.hpp>
...
try 
{
    int x = boost::lexical_cast<int>( "1a23" );
} 
catch(const boost::bad_lexical_cast &)
{
    std::cout << "Error: input string was not valid" << std::endl;
}

最后,在 C++11 中,你有stoi/stol/stoll函数:

#include <iostream>
#include <string>

int main()
{
    std::string test = "1234";
    std::cout << std::stoi(str) << std::endl;
}
于 2012-04-05T09:28:30.477 回答