DZone
Thanks for visiting DZone today,
Edit Profile
  • Manage Email Subscriptions
  • How to Post to DZone
  • Article Submission Guidelines
Sign Out View Profile
  • Post an Article
  • Manage My Drafts
Over 2 million developers have joined DZone.
Log In / Join
Please enter at least three characters to search
Refcards Trend Reports
Events Video Library
Refcards
Trend Reports

Events

View Events Video Library

Zones

Culture and Methodologies Agile Career Development Methodologies Team Management
Data Engineering AI/ML Big Data Data Databases IoT
Software Design and Architecture Cloud Architecture Containers Integration Microservices Performance Security
Coding Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks
Culture and Methodologies
Agile Career Development Methodologies Team Management
Data Engineering
AI/ML Big Data Data Databases IoT
Software Design and Architecture
Cloud Architecture Containers Integration Microservices Performance Security
Coding
Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance
Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks

Because the DevOps movement has redefined engineering responsibilities, SREs now have to become stewards of observability strategy.

Apache Cassandra combines the benefits of major NoSQL databases to support data management needs not covered by traditional RDBMS vendors.

The software you build is only as secure as the code that powers it. Learn how malicious code creeps into your software supply chain.

Generative AI has transformed nearly every industry. How can you leverage GenAI to improve your productivity and efficiency?

Related

  • The Long Road to Java Virtual Threads
  • Exploring Exciting New Features in Java 17 With Examples
  • Proper Java Exception Handling
  • Generics in Java and Their Implementation

Trending

  • Introduction to Retrieval Augmented Generation (RAG)
  • Intro to RAG: Foundations of Retrieval Augmented Generation, Part 1
  • Exploring Intercooler.js: Simplify AJAX With HTML Attributes
  • The Ultimate Guide to Code Formatting: Prettier vs ESLint vs Biome
  1. DZone
  2. Data Engineering
  3. Data
  4. Introduction to Regular Expressions With Modern C++

Introduction to Regular Expressions With Modern C++

In this article, take a look at an introduction to regular expressions with C++.

By 
Vishal Chovatiya user avatar
Vishal Chovatiya
·
Aug. 20, 20 · Tutorial
Likes (4)
Comment
Save
Tweet
Share
28.2K Views

Join the DZone community and get the full member experience.

Join For Free

Regular expressions (or regex in short) is a much-hated & underrated topic so far with Modern C++. But at the same time, the correct use of regex can spare you writing many lines of code. If you have spent quite enough time in the industry. And not knowing regex then you are missing out on 20-30% productivity. In that case, I highly recommend you to learn regex, as it is a one-time investment(something similar to learn once, write anywhere philosophy).

Initially, In this article, I have decided to include regex-in-general also. But it doesn't make sense, as there is already people/tutorial out there who does better than me in teaching regex. But still, I left a small section to address Motivation am Learning Regex. For the rest of the article, I will be focusing on functionality provided by C++ to work with regex. And if you are already aware of regex, you can use the above mind-map as a refresher.

Pointer: The C++ standard library offers several different "flavours" of regex syntax, but the default flavour (the one you should always use & I am demonstrating here) was borrowed wholesale from the standard for ECMAScript.

Motivation

  • I know its pathetic and somewhat confusing tool-set. Consider the below regex pattern for an example that extracts time in 24-hour format i.e. HH:MM.
Java
 




xxxxxxxxxx
1


 
1
\b([01]?[0-9]|2[0-3]):([0-5]\d)\b


  • I mean! Who wants to work with this cryptic text?
  • And whatever running in your mind is 100% reasonable. In fact, I have procrastinated learning regex twice due to the same reason. But, believe me, all the ugly looking things are not that bad.
  • The way(↓) I am describing here won't take more than 2-3 hours to learn regex that too intuitively. And After learning it you will see the compounding effect with return on investment over-the-time.

Learning Regex

  • Do not google much & try to analyse which tutorial is best. In fact, don't waste time in such analysis. Because there is no point in doing so. At this point in time(well! if you don't know the regex) what really matters is "Getting Started" rather than "What Is Best!".
  • Just go to https://regexone.com without much overthinking. And complete all the lessons. Trust me here, I have explored many articles, courses(<=this one is free, BTW) & books. But this is best among all for getting started without losing motivation.
  • And after it, if you still have an appetite to solve more problem & exercises. Consider the below links:
    1.  Exercises on regextutorials.com
    2.  Practice problem on regex by hackerrank

std::regex and std::regex_error Example

Java
 




xxxxxxxxxx
1


 
1
int main() {
2
    try {
3
        static const auto r = std::regex(R"(\)"); // Escape sequence error
4
    } catch (const std::regex_error &e) {
5
        assert(strcmp(e.what(), "Unexpected end of regex when escaping.") == 0);
6
        assert(e.code() == std::regex_constants::error_escape);
7
    }
8
    return EXIT_SUCCESS;
9
}


  • You see! I am using raw string literals. You can also use the normal string. But, in that case, you have to use a double backslash for an escape sequence.
  • The current implementation of std::regex is slow(as it needs regex interpretation & data structure creation at runtime), bloated and unavoidably require heap allocation(not allocator-aware). So, beware if you are using std::regex in a loop(see C++ Weekly -- Ep 74 -- std::regex optimize by Jason Turner). Also, there is only a single member function that I think could be of use is std::regex::mark_count() which returns a number of capture groups.
  • Moreover, if you are using multiple strings to create a regex pattern at run time. Then you may need exception handling i.e. std::regex_error to validate its correctness.

std::regex_search Example

Java
 




xxxxxxxxxx
1
19


 
1
int main() {
2
    const string input = "ABC:1->   PQR:2;;;   XYZ:3<<<"s;
3
    const regex r(R"((\w+):(\w+);)");
4
    smatch m;
5

          
6
    if (regex_search(input, m, r)) {
7
        assert(m.size() == 3);
8
        assert(m[0].str() == "PQR:2;");                // Entire match
9
        assert(m[1].str() == "PQR");                   // Substring that matches 1st group
10
        assert(m[2].str() == "2");                     // Substring that matches 2nd group
11
        assert(m.prefix().str() == "ABC:1->   ");      // All before 1st character match
12
        assert(m.suffix().str() == ";;   XYZ:3<<<");   // All after last character match
13

          
14
        // for (string &&str : m) { // Alternatively. You can also do
15
        //     cout << str << endl;
16
        // }
17
    }
18
    return EXIT_SUCCESS;
19
}


  • smatch is the specializations of std::match_results that stores the information about matches to be retrieved.

std::regex_match Example

  • Short and sweet example that you may always find in every regex book is email validation. And that is where our std::regex_match function fits perfectly.
Java
 




xxxxxxxxxx
1
10


 
1
bool is_valid_email_id(string_view str) {
2
    static const regex r(R"(\w+@\w+\.(?:com|in))");
3
    return regex_match(str.data(), r);
4
}
5

          
6
int main() {
7
    assert(is_valid_email_id("vishalchovatiya@ymail.com") == true);
8
    assert(is_valid_email_id("@abc.com") == false);
9
    return EXIT_SUCCESS;
10
}


  • I know this is not full proof email validator regex pattern. But my intention is also not that.
  • Rather you should wonder why I have used std::regex_match! not std::regex_search! The rationale is simple std::regex_match matches the whole input sequence.
  • Also, Noticeable thing is static regex object to avoid constructing ("compiling/interpreting") a new regex object every time the function entered.
  • The irony of above tiny code snippet is that it produces around 30k lines of assembly that too with -O3 flag. And that is ridiculous. But don't worry this is already been brought to the ISO C++ community. And soon we may get some updates. Meanwhile, we do have other alternatives (mentioned at the end of this article).

Difference Between std::regex_match and std::regex_search?

  • You might be wondering why do we have two functions doing almost the same work? Even I had the doubt initially. But, after reading the description provided by cppreference over and over. I found the answer. And to explain that answer, I have created the example(obviously with the help of StackOverflow):
Java
 




xxxxxxxxxx
1
11


 
1
int main() {
2
    const string input = "ABC:1->   PQR:2;;;   XYZ:3<<<"s;
3
    const regex r(R"((\w+):(\w+);)");
4
    smatch m;
5

          
6
    assert(regex_match(input, m, r) == false);
7

          
8
    assert(regex_search(input, m, r) == true && m.ready() == true && m[1] == "PQR");
9

          
10
    return EXIT_SUCCESS;
11
}


  • std::regex_match only returns true when the entire input sequence has been matched, while std::regex_search will succeed even if only a sub-sequence matches the regex.

std::regex_iterator Example

  • std::regex_iterator is helpful when you need very detailed information about matched & sub-matches.
Java
 




xxxxxxxxxx
1
25


 
1
#define C_ALL(X) cbegin(X), cend(X)
2

          
3
int main() {
4
    const string input = "ABC:1->   PQR:2;;;   XYZ:3<<<"s;
5
    const regex r(R"((\w+):(\d))");
6

          
7
    const vector<smatch> matches{
8
        sregex_iterator{C_ALL(input), r},
9
        sregex_iterator{}
10
    };
11

          
12
    assert(matches[0].str(0) == "ABC:1" 
13
        && matches[0].str(1) == "ABC" 
14
        && matches[0].str(2) == "1");
15

          
16
    assert(matches[1].str(0) == "PQR:2" 
17
        && matches[1].str(1) == "PQR" 
18
        && matches[1].str(2) == "2");
19

          
20
    assert(matches[2].str(0) == "XYZ:3" 
21
        && matches[2].str(1) == "XYZ" 
22
        && matches[2].str(2) == "3");
23

          
24
    return EXIT_SUCCESS;
25
}


  • Earlier(in C++11), there was a limitation that using std::regex_interator is not allowed to be called with a temporary regex object. Which has been rectified with overload from C++14.

std::regex_token_iterator Example

  • std::regex_token_iterator is the utility you are going to use 80% of the time. It has a slight variation as compared to std::regex_iterator. The difference between std::regex_iterator & std::regex_token_iterator is
    •   std::regex_iterator points to match results.
    •   std::regex_token_iterator points to sub-matches.
  • In std::regex_token_iterator, each iterator contains only a single matched result.
Java
 




xxxxxxxxxx
1
27


 
1
#define C_ALL(X) cbegin(X), cend(X)
2

          
3
int main() {
4
    const string input = "ABC:1->   PQR:2;;;   XYZ:3<<<"s;
5
    const regex r(R"((\w+):(\d))");
6

          
7
    // Note: vector<string> here, unlike vector<smatch> as in std::regex_iterator
8
    const vector<string> full_match{
9
        sregex_token_iterator{C_ALL(input), r, 0}, // Mark `0` here i.e. whole regex match
10
        sregex_token_iterator{}
11
    };
12
    assert((full_match == decltype(full_match){"ABC:1", "PQR:2", "XYZ:3"}));
13

          
14
    const vector<string> cptr_grp_1st{
15
        sregex_token_iterator{C_ALL(input), r, 1}, // Mark `1` here i.e. 1st capture group
16
        sregex_token_iterator{}
17
    };
18
    assert((cptr_grp_1st == decltype(cptr_grp_1st){"ABC", "PQR", "XYZ"}));
19

          
20
    const vector<string> cptr_grp_2nd{
21
        sregex_token_iterator{C_ALL(input), r, 2}, // Mark `2` here i.e. 2nd capture group
22
        sregex_token_iterator{}
23
    };
24
    assert((cptr_grp_2nd == decltype(cptr_grp_2nd){"1", "2", "3"}));
25

          
26
    return EXIT_SUCCESS;
27
}


Inverted Match With std::regex_token_iterator

Java
 




xxxxxxxxxx
1
19


 
1
#define C_ALL(X) cbegin(X), cend(X)
2

          
3
int main() {
4
    const string input = "ABC:1->   PQR:2;;;   XYZ:3<<<"s;
5
    const regex r(R"((\w+):(\d))");
6

          
7
    const vector<string> inverted{
8
        sregex_token_iterator{C_ALL(input), r, -1}, // `-1` = parts that are not matched
9
        sregex_token_iterator{}
10
    };
11
    assert((inverted == decltype(inverted){
12
                            "",
13
                            "->   ",
14
                            ";;;   ",
15
                            "<<<",
16
                        }));
17

          
18
    return EXIT_SUCCESS;
19
}


std::regex_replace Example

Java
 




xxxxxxxxxx
1
12


 
1
string transform_pair(string_view text, regex_constants::match_flag_type f = {}) {
2
    static const auto r = regex(R"((\w+):(\d))");
3
    return regex_replace(text.data(), r, "$2", f);
4
}
5

          
6
int main() {
7
    assert(transform_pair("ABC:1, PQR:2"s) == "1, 2"s);
8

          
9
    // Things that aren't matched are not copied
10
    assert(transform_pair("ABC:1, PQR:2"s, regex_constants::format_no_copy) == "12"s);
11
    return EXIT_SUCCESS;
12
}


  • You see in 2nd call of transform_pair, we passed flag std::regex_constants::format_no_copy which suggest do not copy thing that isn't matched. There are many such useful flags under std::regex_constant.
  • Also, we have constructed the fresh string holding the results. But what if we do not want a new string. Rather wants to append the results directly to somewhere(probably container or stream or already existing string). Guess what! the standard library has covered this also with overloaded std::regex_replace as follows:
Java
 




xxxxxxxxxx
1


 
1
int main() {
2
    const string input = "ABC:1->   PQR:2;;;   XYZ:3<<<"s;
3
    const regex r(R"(-|>|<|;| )");
4

          
5
    // Prints "ABC:1     PQR:2      XYZ:3   "
6
    regex_replace(ostreambuf_iterator<char>(cout), C_ALL(input), r, " ");
7

          
8
    return EXIT_SUCCESS;
9
}


Use Cases

Splitting a String With Delimiter

  • Although std::strtok is best suitable & optimal candidate for such a task. But just to demonstrate how you can do it with regex:
Java
 




xxxxxxxxxx
1
15


 
1
#define C_ALL(X) cbegin(X), cend(X)
2

          
3
vector<string> split(const string& str, string_view pattern) {
4
    const auto r = regex(pattern.data());
5
    return vector<string>{
6
        sregex_token_iterator(C_ALL(str), r, -1),
7
        sregex_token_iterator()
8
    };
9
}
10

          
11
int main() {
12
    assert((split("/root/home/vishal", "/")
13
                == vector<string>{"", "root", "home", "vishal"}));
14
    return EXIT_SUCCESS;
15
}


Trim Whitespace From a String

Java
 




xxxxxxxxxx
1


 
1
string trim(string_view text) {
2
    static const auto r = regex(R"(\s+)");
3
    return regex_replace(text.data(), r, "");
4
}
5

          
6
int main() {
7
    assert(trim("12   3 4      5"s) == "12345"s);
8
    return EXIT_SUCCESS;
9
}


Finding Lines Containing or Not Containing Certain Words From a File

Java
 




xxxxxxxxxx
1
39


 
1
string join(const vector<string>& words, const string& delimiter) {
2
    return accumulate(next(begin(words)), end(words), words[0],
3
            [&delimiter](string& p, const string& word)
4
            {
5
                return p + delimiter + word;
6
            });
7
}
8

          
9
vector<string> lines_containing(const string& file, const vector<string>& words) {
10
    auto prefix = "^.*?\\b("s;
11
    auto suffix = ")\\b.*$"s;
12

          
13
    //  ^.*?\b(one|two|three)\b.*$
14
    const auto pattern = move(prefix) + join(words, "|") + move(suffix);
15

          
16
    ifstream        infile(file);
17
    vector<string>  result;
18

          
19
    for (string line; getline(infile, line);) {
20
        if(regex_match(line, regex(pattern))) {
21
            result.emplace_back(move(line));
22
        }
23
    }
24

          
25
    return result;
26
}
27

          
28
int main() {
29
   assert((lines_containing("test.txt", {"one","two"})
30
                                        == vector<string>{"This is one",
31
                                                          "This is two"}));
32
    return EXIT_SUCCESS;
33
}
34
/* test.txt
35
This is one
36
This is two
37
This is three
38
This is four
39
*/


  • Same goes for finding lines that are not containing words with the pattern ^((?!(one|two|three)).)*$.

      Finding Files in a Directory

Java
 




xxxxxxxxxx
1
25


 
1
namespace fs = std::filesystem;
2

          
3
vector<fs::directory_entry> find_files(const fs::path &path, string_view rg) {
4
    vector<fs::directory_entry> result;
5
    regex r(rg.data());
6
    copy_if(
7
        fs::recursive_directory_iterator(path),
8
        fs::recursive_directory_iterator(),
9
        back_inserter(result),
10
        [&r](const fs::directory_entry &entry) {
11
            return fs::is_regular_file(entry.path()) &&
12
                   regex_match(entry.path().filename().string(), r);
13
        });
14
    return result;
15
}
16

          
17
int main() {
18
    const auto dir        = fs::temp_directory_path();
19
    const auto pattern    = R"(\w+\.png)";
20
    const auto result     = find_files(fs::current_path(), pattern);
21
    for (const auto &entry : result) {
22
        cout << entry.path().string() << endl;
23
    }
24
    return EXIT_SUCCESS;
25
}


Tips For Using Regex-In-General

  • Use raw string literal for describing the regex pattern in C++.
  • Use the regex validating tool like https://regex101.com. What I like about regex101 is code generation & time-taken(will be helpful when optimizing regex) feature.
  • Also, try to add generated explanation from validation tool as a comment exactly above the regex pattern in your code.
  • Performance:
    • If you are using alternation, try to arrange options in high probability order like com|net|org.
    • Try to use lazy quantifiers if possible.
    • Use non-capture groups wherever possible.
    • Disable Backtracking.
    • Using the negated character class is more efficient than using a lazy dot.

Parting Words

It's not just that you will use regex with only C++ or any other language. I myself use it mostly on IDE(in vscode to analyze log files) & on Linux terminal. But, bear in mind that overusing regex gives the feel of cleverness. And, it's a great way to make your co-workers (and anyone else who needs to work with your code) very angry with you. Also, regex is overkill for most parsing tasks that you'll face in your daily work.

The regexes really shine for complicated tasks where hand-written parsing code would be just as slow anyway; and for extremely simple tasks where the readability and robustness of regular expressions outweigh their performance costs.

One more notable thing is current regex implementation(till 19th June 2020) in standard libraries have performance & code bloating issues. So choose wisely between Boost, CTRE and Standard library versions. Most probably you might go with the Hana Dusíková's work on Compile Time Regular Expression. Also, her CppCon talk from 2018 and 2019's would be helpful especially if you plan to use regex in embedded systems.

Java (programming language) Data Types Standard library Strings

Published at DZone with permission of Vishal Chovatiya. See the original article here.

Opinions expressed by DZone contributors are their own.

Related

  • The Long Road to Java Virtual Threads
  • Exploring Exciting New Features in Java 17 With Examples
  • Proper Java Exception Handling
  • Generics in Java and Their Implementation

Partner Resources

×

Comments
Oops! Something Went Wrong

The likes didn't load as expected. Please refresh the page and try again.

ABOUT US

  • About DZone
  • Support and feedback
  • Community research
  • Sitemap

ADVERTISE

  • Advertise with DZone

CONTRIBUTE ON DZONE

  • Article Submission Guidelines
  • Become a Contributor
  • Core Program
  • Visit the Writers' Zone

LEGAL

  • Terms of Service
  • Privacy Policy

CONTACT US

  • 3343 Perimeter Hill Drive
  • Suite 100
  • Nashville, TN 37211
  • support@dzone.com

Let's be friends:

Likes
There are no likes...yet! 👀
Be the first to like this post!
It looks like you're not logged in.
Sign in to see who liked this post!