使用 std::regex 匹配多个正则表达式结果
可以使用 std 来匹配字符串中正则表达式模式的多次出现: :正则表达式库。考虑这样一个场景,我们希望在一次操作中从字符串“first Second Third Fourth”中提取每个单词。
最初尝试使用“(bS*b){0,}”并没有得到所需的输出,因为重复运算符 {0,} 匹配零个或多个匹配项(包括无匹配项),从而导致空匹配。
为了解决此问题,我们可以采用一种称为延迟迭代的技术。这涉及在执行正则表达式搜索时迭代字符串。下面是一个示例代码:
#include <iostream> #include <string> #include <regex> int main() { std::regex exp("(\b\S*\b)"); std::smatch res; std::string str = "first second third forth"; std::string::const_iterator searchStart(str.cbegin()); while (std::regex_search(searchStart, str.cend(), res, exp)) { std::cout << (searchStart == str.cbegin() ? "" : " ") << res[0]; searchStart = res.suffix().first; } std::cout << std::endl; }
在此代码中,我们使用 searchStart 循环遍历字符串,它表示下一个潜在匹配的起点。每次成功匹配后,searchStart 都会更新到匹配子字符串的末尾。这使我们能够继续搜索后续匹配项,直到处理完整个字符串。该代码的输出是:
first second third forth
以上是如何使用 C 的 std::regex 从字符串中高效地提取多个正则表达式匹配项?的详细内容。更多信息请关注PHP中文网其他相关文章!