C++ で文字列をトークン化するにはどうすればよいですか? 質問する

C++ で文字列をトークン化するにはどうすればよいですか? 質問する

Java には便利な分割メソッドがあります:

String str = "The quick brown fox";
String[] results = str.split(" ");

C++ でこれを簡単に行う方法はありますか?

ベストアンサー1

ブーストトークナイザークラスを使用すると、このようなことが非常に簡単に行えます。

#include <iostream>
#include <string>
#include <boost/foreach.hpp>
#include <boost/tokenizer.hpp>

using namespace std;
using namespace boost;

int main(int, char**)
{
    string text = "token, test   string";

    char_separator<char> sep(", ");
    tokenizer< char_separator<char> > tokens(text, sep);
    BOOST_FOREACH (const string& t, tokens) {
        cout << t << "." << endl;
    }
}

C++11 用に更新されました:

#include <iostream>
#include <string>
#include <boost/tokenizer.hpp>

using namespace std;
using namespace boost;

int main(int, char**)
{
    string text = "token, test   string";

    char_separator<char> sep(", ");
    tokenizer<char_separator<char>> tokens(text, sep);
    for (const auto& t : tokens) {
        cout << t << "." << endl;
    }
}

おすすめ記事