c++ tokenize string code example
Example 1: how to tokenize a string in c++
auto const str = "The quick brown fox"s;
auto const re = std::regex{R"(\s+)"};
auto const vec = std::vector<std::string>(
std::sregex_token_iterator{begin(str), end(str), re, -1},
std::sregex_token_iterator{}
);
Example 2: how to tokenize a string in c++11
std::vector<std::string> split(const string& input, const string& regex) {
std::regex re(regex);
std::sregex_token_iterator
first{input.begin(), input.end(), re, -1},
last;
return {first, last};
}
Example 3: tokenize string c++
std::vector<std::string> tokenise(const std::string &str){
std::vector<std::string> tokens;
int first = 0;
while(first<str.size()){
int second = str.find_first_of(',',first);
if(second==std::string::npos){
second = str.size();
}
std::string token = str.substr(first, second-first);
tokens.push_back(token);
first = second + 1;
}
return tokens;
}