C++string字符串查找和替换 string字符串查找和替换
功能描述
查找: 查找指定字符串是否存在
替换: 在指定的位置替换字符串
- int find(const string& str, int pos = 0) const; //查找str第一次出现位置,从pos开始查找
- int find(const char* s, int pos = 0) const; //查找s第一次出现位置,从pos开始查找
- int find(const char* s, int pos, int n) const; //从pos位置查找s的前n个字符第一次位置
- int find(const char c, int pos = 0)const; //查找字符c第一次出现的位置
#include <iostream>
#include <string>
using namespace std;
//查找: 查找指定字符串是否存在
//替换: 在指定位置替换字符串
void test01()
{
//查找
string str1 = "abcdefgde";
int pos = str1.find("de");
if (pos == -1)
{
cout << "未找到" << endl;
}
else
{
cout << "pos = " << pos << endl;
}
pos = str1.rfind("de");
cout << "pos = " << pos << endl;
}
void test02()
{
//替换
string str1 = "abcdefgde";
str1.replace(1, 3, "1111");
cout << "str1 = " << str1;
}
int main()
{
//test01();
test02();
return 0;
}
find查找是从左到右,rfind从右往左
find找到字符串后返回查找的第一个字符位置,找不到就返回-1
replace在替换时,要制定从那个位置起,多少个字符,替换成什么样的字符串
C++string字符串查找和替换 string字符串查找和替换