c++ string insert函数用法
时间: 2024-03-11 08:42:34 浏览: 224
C++中的string类提供了insert函数,用于在指定位置插入字符串或字符。其用法如下:
```cpp
string insert (size_t pos, const string& str);
string insert (size_t pos, const char* s);
string insert (size_t pos, const char* s, size_t n);
string insert (size_t pos, size_t n, char c);
```
其中,pos表示插入的位置,str表示要插入的字符串,s表示要插入的字符数组,n表示要插入的字符个数,c表示要插入的字符。
示例代码如下:
```cpp
#include <iostream>
#include <string>
int main() {
std::string str = "Hello, world!";
std::cout << "原始字符串:" << str << std::endl;
// 在位置5插入字符串" C++"
str.insert(5, " C++");
std::cout << "插入后的字符串:" << str << std::endl;
// 在位置0插入字符数组"Hi"
str.insert(0, "Hi");
std::cout << "再次插入后的字符串:" << str << std::endl;
// 在位置13插入3个字符'!'
str.insert(13, 3, '!');
std::cout << "最终插入后的字符串:" << str << std::endl;
return 0;
}
```
输出结果为:
```
原始字符串:Hello, world!
插入后的字符串:Hello C++, world!
再次插入后的字符串:HiHello C++, world!
最终插入后的字符串:HiHello C++, world!!!
```
阅读全文