C++ string functions are essential tools for manipulating and working with text in C++ programs. They provide a wide range of operations for string handling, making text processing tasks more efficient and straightforward.
The C++ string
class, part of the Standard Template Library (STL), offers numerous built-in functions for string manipulation. These functions allow developers to perform common operations like concatenation, substring extraction, and character replacement with ease.
To determine the length of a string, use the length()
or size()
function:
string text = "Hello, World!";
cout << text.length(); // Output: 13
cout << text.size(); // Output: 13
Combine strings using the +
operator or the append()
function:
string str1 = "Hello";
string str2 = "World";
string result = str1 + " " + str2; // "Hello World"
str1.append(" ").append(str2); // "Hello World"
Extract a portion of a string using the substr()
function:
string text = "C++ Programming";
string sub = text.substr(4, 11); // "Programming"
Access individual characters using array-style indexing or the at()
function:
string text = "C++";
char first = text[0]; // 'C'
char last = text.at(2); // '+'
Compare strings using comparison operators or the compare()
function:
string str1 = "apple";
string str2 = "banana";
bool isEqual = (str1 == str2); // false
int result = str1.compare(str2); // negative value
Locate substrings and replace content within strings:
string text = "Hello, World!";
size_t pos = text.find("World"); // 7
text.replace(7, 5, "C++"); // "Hello, C++!"
Insert or remove characters from strings:
string text = "Hello World";
text.insert(5, ", C++"); // "Hello, C++ World"
text.erase(5, 5); // "Hello World"
string
class instead of C-style strings for better safety and functionality.reserve()
to pre-allocate memory for large strings to improve performance.While C++ string functions are convenient, they may have performance implications for large-scale operations. For performance-critical applications, consider using C-style strings or custom string handling techniques.
C++ string functions provide a robust toolkit for text manipulation. By mastering these functions, developers can efficiently handle various string-related tasks in their C++ programs. For more advanced string handling, explore C++ Regular Expressions.