substr
substr
是 C++ 标准库中 string
类的成员函数,用于从字符串中提取子字符串。它的基本作用是返回从指定位置开始的子字符串。
语法:
string substr(size_t pos = 0, size_t len = npos) const;
pos
: 这是子字符串的起始位置,表示从原字符串的第pos
个字符开始。默认值是 0,表示从字符串的开头开始。len
: 这是子字符串的长度,表示要提取多少个字符。如果len
超过了从pos
到字符串末尾的剩余字符数,substr
会返回从pos
开始直到字符串末尾的所有字符。默认值是npos
,表示一直取到字符串的末尾。
返回值
substr
返回一个新的 string
对象,包含从 pos
开始的 len
长度的子字符串。如果 pos
超出了原字符串的长度,或者 len
的值超出了剩余字符数,substr
会抛出 out_of_range
异常。
示例 1: 基本用法
#include <iostream>
#include <string>
using namespace std;
int main() {
string s = "Hello, World!";
// 从位置 7 开始,提取长度为 5 的子字符串
string result = s.substr(7, 5);
cout << result << endl; // 输出 "World"
return 0;
}
示例 2: 只指定起始位置
#include <iostream>
#include <string>
using namespace std;
int main() {
string s = "Hello, World!";
// 从位置 7 开始,提取直到字符串末尾的子字符串
string result = s.substr(7);
cout << result << endl; // 输出 "World!"
return 0;
}
示例 3: pos
超出范围
#include <iostream>
#include <string>
using namespace std;
int main() {
string s = "Hello, World!";
try {
// 从位置 20 开始(超出范围),会抛出 out_of_range 异常
string result = s.substr(20);
cout << result << endl;
} catch (const out_of_range& e) {
cout << "Exception caught: " << e.what() << endl; // 输出异常信息
}
return 0;
}
示例 4: 提取一个字符
#include <iostream>
#include <string>
using namespace std;
int main() {
string s = "Hello, World!";
// 提取从位置 0 开始,长度为 1 的子字符串(即第一个字符)
string result = s.substr(0, 1);
cout << result << endl; // 输出 "H"
return 0;
}
注意事项:
- 如果
pos
大于或等于原字符串的长度,substr
会抛出out_of_range
异常。 - 如果
len
超出了从pos
到字符串末尾的字符数,substr
会自动取到字符串的末尾。 substr
返回的是原字符串的一个副本,因此对返回的子字符串进行修改不会影响原字符串。