C++ string operation
String operation.
Find a key word
str.
find()
<cpp_ref>string index starts from 0
1
2
3
4
5
6
7
8
9
10
11
12
13std::string str("12345678901234567890");
std::size_t found = str.find("3");
if (found!=std::string::npos)
std::cout << "first '3' found at: " << found << '\n';
std::size_t found2 = str.find("3", found + 1);
if (found2!=std::string::npos)
std::cout << "second '3' found at: " << found2 << '\n';
----
first '3' found at: 2
second '3' found at: 12find_first_of()
andfind_last_of()
1
2
3
4
5
6
7
8
9
10found = str.find_first_of("3");
if (found!=std::string::npos)
std::cout << "first '3' found at: " << found << '\n';
found = str.find_last_of("3");
if (found!=std::string::npos)
std::cout << "last '3' found at: " << found << '\n';
----
first '3' found at: 2
last '3' found at: 12
str.rfind(): find the key from right to left, at a specific position cpp_ref
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18std::string str("12345678901234567890");
std::size_t found = str.rfind("3");
if (found!=std::string::npos)
std::cout << "last '3' found at: " << found << '\n';
std::size_t found2 = str.rfind("3", found - 1);
if (found2!=std::string::npos)
std::cout << "second right '3' found at: " << found2 << '\n';
found = str.rfind("3", 2);
if (found!=std::string::npos)
std::cout << "first '3' found at: " << found << '\n';
----
last '3' found at: 12
second right '3' found at: 2
first '3' found at: 2
Get a part from a string
- str.substr(pos, len) cpp_ref
1
2
3
4
5
6
7std::string str("12345678901234567890");
str = str.substr(3, 2);
std::cout << str << '\n';
----
45