0

我正在尝试使用 Boost::regex 将句子拆分为单个单词。但它没有打印最后一个字。有什么想法有什么问题吗?

代码是:

#include <iostream>
#include <boost/regex.hpp>
using namespace std;
using namespace boost;

int main() {
smatch matchResults;
regex whiteChars("(.*?)[\\s]");
string p = "This is a sentence";
for(string::const_iterator sit = p.begin(), sitend = p.end(); sit != sitend;)
{
    regex_search(sit, sitend, matchResults, whiteChars);
    if(matchResults[1].matched)
        cout << matchResults[1] << endl;
    sit = matchResults[0].second;
}
return 0;
}

Output: 
This 
is 
a
Expected Output: 
This 
is 
a
sentence
4

2 回答 2

3

你的最后一个词后面跟着$and not \\s,所以你当前的正则表达式 -"(.*?)[\\s]"不会匹配它。

你可以试试这个:

"(.*?)(?:\\s|$)"

甚至更好,这也可能有效:

([^\\s]*)  // Just get all the non-space characters. That is what you want
于 2013-02-18T22:53:39.303 回答
0
std::regex rgx("\\s");
std::string p("This is a sentence");
std::regex_token_iterator current(p.begin(), p.end(), rgx, -1);
std::regex_token_iterator end;
while (current != end)
    std::cout << *current++ << '\n';

这也应该适用于 Boost 的正则表达式。我还没有编写该代码,因为我不了解 Boost 的详细信息。

于 2013-02-19T12:30:16.127 回答