string的使用
基本操作
- 成员函数c_str()
使用printf
时,需要将string转换为c风格的字符串输出
printf("str = %s\n",str.c_str()); //输出str
- 获取字符串长度(length/size)
int length = str.length();
//或者
int length = str.size();
- 拼接字符串( + 或 append)
string str1 = "hello";
string str2 = "world";
string str3 = str1 + ", " + str2;
string str4 = str1.append(", ").append(str2);
- 字符串查找(find)
string str = "hello, world";
size_t pos = str.find("world"); //查找子字符串的位置
返回子字符串的起始位置
- 字符串替换(replace)
string str = "hello, world";
str.replace(7, 5, "universe");
第一个参数—子串起始的位置
第二个参数—替换的长度
第三个参数—替换的子字符串
- 提取子字符串(substr)
string str = "hello, world";
string str2 = str.substr(7, 5);
第一个参数—提取字符串的起始位置
第二个参数—长度(注意不要越界)
- 字符串比较(compare)
string str1 = "hello";
string str2 = "world";
int result = str1.compare(str2);
返回值=0,str1==str2
返回值<0,str1<str2
返回值>0,str1>str2
也可以直接用s1<s2
来比较string的大小
比较的规则是按照字典序大小进行比较
- 遍历string
- 循环枚举下标
string s = "hello";
for(int i = 0; i<s.length(); i++) cout<<s[i];
- auto枚举(其中&表示取引用类型,如果修改i将会改变原来的值)
for(auto i : s)
{
cout<<i;
i = 'a'; //此处修改无效,这个i是复制了s中对应的字符
}
for(auto &i : s)
{
cout<<i;
i = 'a'; //此处修改会改变s的字符值
}