-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathRegex_RegexReplace.cpp
67 lines (53 loc) · 2.29 KB
/
Regex_RegexReplace.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
/**
* Demonstrate usage of regex capability in c++ in <regex>.
*
* Include
* - std::regex_replace
*
*/
#include <iostream>
#include <regex>
#include <iterator>
int main()
{
// it's better to try to apply regex against a single line of string due to
// regex syntax mostly operates on the basis excluding newline character i.e. .* to match any character onwards
std::string inputStr = "Hello world, +123.456 and 34.56 This is a book! [blah blah 1234]";
// to receive result back from regex algorithms
// std::smatch is std::match_results<std::string::const_iterator>
std::smatch matchResult;
{
std::string outputStr;
std::regex rgx("Hello world");
// we need std::back_inserter created with input std::string for us to fill in result at the
// back one character at a time, and let it handles increment the iterator for us
std::regex_replace(std::back_inserter(outputStr), inputStr.begin(), inputStr.end(), rgx, "*");
std::cout << outputStr << '\n';
// use $& to get the original replaced character, other character is for decoration in printing
std::cout << std::regex_replace(inputStr, rgx, "[$&]");
}
std::cout << "\n\n";
{
std::string outputStr;
std::regex rgx("(Hello world)");
// we need std::back_inserter created with input std::string for us to fill in result at the
// back one character at a time, and let it handles increment the iterator for us
std::regex_replace(std::back_inserter(outputStr), inputStr.begin(), inputStr.end(), rgx, "*");
std::cout << outputStr << '\n';
// use $1 to refer to the first capture group
std::cout << std::regex_replace(inputStr, rgx, "[$1]");
}
std::cout << "\n\n";
{
std::string outputStr;
std::regex rgx("1|3|4|6");
// we need std::back_inserter created with input std::string for us to fill in result at the
// back one character at a time, and let it handles increment the iterator for us
std::regex_replace(std::back_inserter(outputStr), inputStr.begin(), inputStr.end(), rgx, "*");
std::cout << outputStr << '\n';
std::cout << std::regex_replace(inputStr, rgx, "[$&]");
}
std::cout << '\n';
std::cout.flush();
return 0;
}