c++ substr用法
时间: 2023-07-01 11:28:05 浏览: 165
C++中的substr()函数用于截取字符串的一部分。它的语法如下:
```c++
string substr (size_t pos, size_t len) const;
```
其中,pos表示要截取的子字符串的起始位置,len表示要截取的子字符串的长度。注意,pos从0开始计数,len的默认值为string::npos,表示截取从pos开始到字符串结尾的全部字符。
以下是一个使用substr()函数的示例:
```c++
#include <iostream>
#include <string>
using namespace std;
int main()
{
string s = "Hello, world!";
string sub = s.substr(0, 5);
cout << sub << endl;
return 0;
}
```
以上代码将输出"Hello",因为它截取了字符串s的前5个字符。
相关问题
C++substr用法
`substr`是C++标准库中字符串类型`std::string`的一个成员函数,用于提取子串。它的基本语法如下:
```cpp
std::string substr(size_t pos = 0, size_t len = npos) const;
```
其中:
- `pos`: 子串开始的位置(从0开始计数),默认值为0,表示从字符串开头开始。
- `len`: 如果指定,表示提取的字符数;如果省略或设为`npos`(`std::string::npos`是一个特殊常量,等于最大无符号整数值减一),则一直提取到字符串结束。
这个函数返回一个新的字符串,包含原字符串从`pos`位置开始到`pos+len-1`位置的所有字符。如果`pos + len`超过了原始字符串的长度,结果将截取到字符串的结尾。
例如:
```cpp
std::string str = "Hello, World!";
std::string subStr1 = str.substr(7); // 提取从第8个字符开始到末尾,即"World!"
std::string subStr2 = str.substr(7, 5); // 提取从第8个字符开始的5个字符,即"World"
```
c++substr用法
C++中的substr函数用于截取字符串的一部分。它的语法格式为:
```c++
string substr (size_t pos, size_t len) const;
```
其中,pos表示要截取的起始位置,len表示要截取的长度。
举个例子,如果有一个字符串str,我们想要截取从第三个字符开始,长度为5的子串,可以这样写:
```c++
string str = "Hello World";
string subStr = str.substr(2, 5);
```
这样就可以得到子串"llo W"。
注意,substr返回的是一个新的字符串,原字符串不会受到影响。如果省略len参数,则从pos开始截取到字符串末尾。
阅读全文