我正在使用std :: regex_replace来修改字符串。我需要两者来限制所做的替换并完成它们的数量。
我使用了以下代码:
std::wregex rx(pattern);
size_t n = 0; // one match
size_t ns = 3;
wstring result = src;
wstring old; // old value
bool replaced = false;
do {
old = result;
result = std::regex_replace(result, rx, replace, std::regex_constants::format_first_only);
replaced = result != old;
if (replaced)
n++;
} while (replaced && n < ns);
它工作正常,我可以限制替代品数量并获得他们的数量。但是,如果我有以下值,此代码从头开始分析字符串:
"banana" for src, "(an)" for pattern and "$1-" for replace
它产生以下输出:ban --- ana而不是ban-an-a。显然,这是因为std :: regex_replace从start开始分析字符串。一个解决方案可能是使用迭代器来定义要分析的第一个字符,但是在这种情况下我需要获得迭代器,它指向那些被重新编写后的字符,但我怎样才能得到它?
答案 0 :(得分:3)
这比我想象的更棘手。我在这里找不到任何std::regex_replace()
函数非常有帮助。
我决定采用基于此处实施说明中建议的算法的直接std::wsregex_iterator
解决方案:
http://en.cppreference.com/w/cpp/regex/regex_replace
这就是我提出的:
#include <regex>
#include <string>
#include <iterator>
#include <iostream>
int main()
{
std::size_t ns = 3;
std::wstring text = L"banana";
std::wstring pattern = L"(an)";
std::wstring replace = L"$1-";
std::wstring result;
std::wregex rx(pattern);
auto iter = std::wsregex_iterator(text.begin(), text.end(), rx);
auto stop = std::wsregex_iterator();
auto last_iter = iter;
auto out = std::back_inserter(result);
for(std::size_t n = ns; n-- && iter != stop; ++iter)
{
out = std::copy(iter->prefix().first, iter->prefix().second, out);
out = iter->format(out, replace);
last_iter = iter;
}
out = std::copy(last_iter->suffix().first, last_iter->suffix().second, out);
std::wcout << " text: " << text << '\n';
std::wcout << "result: " << result << '\n';
}
<强>输出:强>
text: banana
result: ban-an-a
答案 1 :(得分:0)
您可以设置计数器并使用回调。这只会取代你设定的最大值 (未测试)
static int REPL_count = 0;
static int REPL_max = 0;
static string REPL_replace = "";
string REPLcallback( const wsmatch m )
{
// Return formatted match if under the max count
if ( REPL_count < REPL_max )
{
++REPL_count;
return m.format( REPL_replace );
}
// Exceeded count, just return match without formatting
return string(m[0].first, m[0].second);
}
int ReplaceText(
string& strIn,
string& strOut,
wregex Regex,
string& strReplacement,
int max )
{
REPL_count = 0;
REPL_max = max;
REPL_replace = strReplacement;
strOut = regex_replace( strIn, Regex, REPLcallback );
return REPL_count;
}