5

我是 C++ 正则表达式的新手,不能让它们使用字符串而不是 char*。到目前为止我看到的例子都是针对 c 字符串的。

我什至不会尝试在这里展示的真实程序使用子匹配,但我无法使它们工作,所以我尝试修改一个非常简单的工作示例,但它也不起作用。我使用 Visual Studio 2010 Ultimate。

原始 - 工作 - 代码:

const char *first = "abcd"; 
const char *last = first + strlen(first); 
std::cmatch mr; 
std::regex rx("abc"); 
std::regex_constants::match_flag_type fl = std::regex_constants::match_default;

std::cout << "search(f, l, \"abc\") == " << std::boolalpha 
          << regex_search(first, last, mr, rx) << std::endl; 
std::cout << "  matched: \"" << mr.str() << "\"" << std::endl; 

std::cout << "search(\"xabcd\", \"abc\") == " << std::boolalpha
          << regex_search("xabcd", mr, rx) << std::endl; 
std::cout << "  matched: \"" << mr.str() << "\"" << std::endl;

修改后的代码:

const string first = "abcd";     // char * => string
std::smatch mr;                  // cmatch => smatch
std::regex rx(string("abc")); 
std::regex_constants::match_flag_type fl = std::regex_constants::match_default;

               // this works:
std::cout << "search(f, l, \"abc\") == " << std::boolalpha 
          << regex_search(first, mr, rx) << std::endl; 
std::cout << "  matched: \"" << mr.str() << "\"" << std::endl; 

               // after the next line executes mr seems good to me:
               // mr[0] = {3, matched:true, first="abcd", second="d",...}
std::cout << "search(\"xabcd\", \"abc\") == " << std::boolalpha
          << regex_search(string("xabcd"), mr, rx) << std::endl; 
               // but the following line gives the error
               // "Debug assertion failed"
               // Expression: string iterators incompatible
std::cout << "  matched: \"" << mr.str() << "\"" << std::endl;

奇怪的是修改后的代码的一部分有效,而下一部分导致异常。我什至尝试使用 mr[0].str() 但我收到了相同的错误消息。你能帮我解决这个问题吗?

4

1 回答 1

10

问题是临时问题之一。

smatch将包含迭代器到您正在搜索的字符串。

regex_search(string("xabcd"), mr, rx)创建一个临时字符串,该字符串;.

因此,当您mr在下一行使用时,它指的是无效内存。应该比string寿命更长mr

于 2012-05-11T14:15:50.093 回答