Vous pouvez également utiliser une expression rationnelle pour cela :
std::vector<std::string> split(const std::string str, const std::string regex_str)
{
std::regex regexz(regex_str);
std::vector<std::string> list(std::sregex_token_iterator(str.begin(), str.end(), regexz, -1),
std::sregex_token_iterator());
return list;
}
ce qui est équivalent à :
std::vector<std::string> split(const std::string str, const std::string regex_str)
{
std::sregex_token_iterator token_iter(str.begin(), str.end(), regexz, -1);
std::sregex_token_iterator end;
std::vector<std::string> list;
while (token_iter != end)
{
list.emplace_back(*token_iter++);
}
return list;
}
et l'utiliser comme ceci :
#include <iostream>
#include <string>
#include <regex>
std::vector<std::string> split(const std::string str, const std::string regex_str)
{ // a yet more concise form!
return { std::sregex_token_iterator(str.begin(), str.end(), std::regex(regex_str), -1), std::sregex_token_iterator() };
}
int main()
{
std::string input_str = "lets split this";
std::string regex_str = " ";
auto tokens = split(input_str, regex_str);
for (auto& item: tokens)
{
std::cout<<item <<std::endl;
}
}
jouez avec lui en ligne ! http://cpp.sh/9sumb
vous pouvez simplement utiliser des sous-chaînes, des caractères, etc. comme d'habitude, ou utiliser des expressions régulières pour effectuer le fractionnement.
Il est également concis et C++11 !
2 votes
stackoverflow.blog/2019/10/11/ Descendez jusqu'au numéro 5.