You may implement a callback to regex_replace
like this:
#include <iostream>
#include <cstdlib>
#include <string>
#include <regex>
using namespace std;
int gate_id = 0;
template<class BidirIt, class Traits, class CharT, class UnaryFunction>
std::basic_string<CharT> regex_replace(BidirIt first, BidirIt last,
const std::basic_regex<CharT,Traits>& re, UnaryFunction f)
{
std::basic_string<CharT> s;
typename std::match_results<BidirIt>::difference_type
positionOfLastMatch = 0;
auto endOfLastMatch = first;
auto callback = [&](const std::match_results<BidirIt>& match)
{
auto positionOfThisMatch = match.position(0);
auto diff = positionOfThisMatch - positionOfLastMatch;
auto startOfThisMatch = endOfLastMatch;
std::advance(startOfThisMatch, diff);
s.append(endOfLastMatch, startOfThisMatch);
s.append(f(match));
auto lengthOfMatch = match.length(0);
positionOfLastMatch = positionOfThisMatch + lengthOfMatch;
endOfLastMatch = startOfThisMatch;
std::advance(endOfLastMatch, lengthOfMatch);
};
std::sregex_iterator begin(first, last, re), end;
std::for_each(begin, end, callback);
s.append(endOfLastMatch, last);
return s;
}
template<class Traits, class CharT, class UnaryFunction>
std::string regex_replace(const std::string& s,
const std::basic_regex<CharT,Traits>& re, UnaryFunction f)
{
return regex_replace(s.cbegin(), s.cend(), re, f);
}
std::string my_callback(const std::smatch& m) {
gate_id++;
stringstream s;
s << "g" << gate_id << "()";
return s.str();
}
int main() {
gate_id = 0;
std::string s = "g500() g600() g200()\n g1()";
std::cout << regex_replace(s, regex("g\\S*\\(\\)"), my_callback) << std::endl;
return 0;
}
See the C++ demo
The pattern is
g
- a g
char
\S*
- 0+ non-whitespace chars
\(\)
- a ()
substring.
The replacement is built dynamically inside my_callback
method.
For each subsequent replacement, you need to reset the gate_id
.