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 を使用する他の 2 つの選択肢があります。

文字列アルゴリズム:

#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ではない何かで停止しintistringstreamエラー フラグが設定されます。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 に答える