Regular expressions, often abbreviated as regex, are powerful tools for pattern matching and text manipulation in C++. They provide a concise and flexible way to search, extract, and modify strings based on specific patterns.
C++ introduced built-in support for regular expressions with the C++11 standard. The <regex>
header provides the necessary classes and functions for working with regex in C++.
To use regular expressions in C++, you typically follow these steps:
<regex>
headerstd::regex
object with your patternstd::regex_match()
or std::regex_search()
to perform operationsstd::regex_match()
: Checks if the entire string matches the patternstd::regex_search()
: Searches for a pattern within a stringstd::regex_replace()
: Replaces occurrences of a pattern in a string
#include <iostream>
#include <regex>
#include <string>
int main() {
std::string text = "Hello, C++17!";
std::regex pattern("C\\+\\+\\d+");
if (std::regex_search(text, pattern)) {
std::cout << "Pattern found!" << std::endl;
} else {
std::cout << "Pattern not found." << std::endl;
}
return 0;
}
This example searches for a pattern that matches "C++" followed by one or more digits in the given text.
#include <iostream>
#include <regex>
#include <string>
int main() {
std::string text = "The quick brown fox jumps over the lazy dog.";
std::regex pattern("\\b\\w{5}\\b");
std::string result = std::regex_replace(text, pattern, "FIVE");
std::cout << result << std::endl;
return 0;
}
This example replaces all five-letter words in the text with "FIVE".
std::regex_iterator
for efficient multiple matchesTo further enhance your C++ skills, explore these related topics:
Regular expressions in C++ provide a robust way to handle complex string operations. By mastering regex, you can significantly improve your text processing capabilities in C++ applications.