4.string的遍历
对于string的遍历,我们有以下几种方法:
- operator[]
- 范围for
- 迭代器
void Test_Element2() { string s = "0123456789"; //operator[] for (size_t i = 0; i < s.size(); ++i) { cout << s[i] << " "; } cout << endl; //范围for for (auto e : s) { cout << e << " "; } cout << endl; //迭代器 string::iterator it = s.begin(); while (it != s.end()) { cout << *it << " "; ++it; } cout << endl; }
5.string类的迭代器
在遍历中,我们讲到了迭代器的方式遍历字符串,那么迭代器是什么?为什么要有迭代器的存在?
迭代器是通过一种普适的方式去访问所有支持遍历的容器,迭代器的行为上像指针,但是本质上不全是指针
在string类中,原生指针就已经能够支持迭代器的行为,所以string的迭代器就是元素类型的指针。
可以看到string提供了很多中不同的迭代器,我们可以将它们分类
1. 正向迭代器
begin和end,begin返回的是字符串的开头位置,end返回的是最后一个有效数据的下一个位置,即迭代器是前闭后开的*[begin,end)*
可以看到,不管是begin还是end都重载了const版本用来应对权限变化的问题。
2. 反向迭代器
反向迭代器与正向迭代器的用法完全一致,只是调用反向迭代器的时候,遍历数据的顺序是反的。
void Test_Iterator() { string s = "0123456789"; cout << "正向迭代器" << endl; string::iterator it1 = s.begin(); while (it1 != s.end()) { cout << *it1 << " "; ++it1; } cout << endl; cout << "反向迭代器" << endl; string::reverse_iterator it2 = s.rbegin(); while (it2 != s.rend()) { cout << *it2 << " "; ++it2; } cout << endl; }
3. const迭代器与const反向迭代器
这四个迭代器接口都是C++11为了规范代码而增加的,但是其实在前面四个接口中已经重载了const版本,所以这四个基本用不上,就不过多介绍了,使用方法和前面的是完全一致的。
6.string的Capacity相关接口
在这么多接口中,我们最常用的有:
- size:返回字符串长度
- resize:重新设定字符串长度
- capacity:返回字符串容量
- reserve:重新设置字符串容量,如果传入的参数小于capacity则不做任何操作,如果大于capacity就开辟一段容量为n的空间,将原数据拷贝进来,然后释放原空间。
- empty:返回字符串是否为空
其余的一些接口不常用,了解即可。
void Test_capacity() { string s = "0123456789"; cout << "size" << s.size() << endl; cout << "capacity" << s.capacity() << endl; s.reserve(20); cout << "capacity" << s.capacity() << endl; s.resize(5); cout << "size" << s.size() << endl; if (!s.empty()) { string::iterator it1 = s.begin(); while (it1 != s.end()) { cout << *it1 << " "; ++it1; } cout << endl; } else { cout << "string is empty" << endl; } }
7.string的修改相关接口
其中,常用的有
- operator+=:追加字符串,其中有三个重载,分别是追加字符串(复用append),追加C类型字符串(复用append),追加单个字符(复用push_back)
- insert:在某个位置插入字符或者字符串
- erase:在某个位置删除字符或者长度为len的字符串
void Test_Modify() { string s = "abcdefg"; cout << s << endl; s += 'h'; cout << s << endl; s += "ijklm"; cout << s << endl; s.insert(5, 1, 'A'); cout << s << endl; s.erase(5, 1); cout << s << endl; }
8.其他接口
- c_str:以C语言字符串的方式返回一个字符指针(由于Linux是用C语言写的,在字符串的读写中,不支持string类型的读写,所以提供此接口)
- find:在字符串某一段位置中找到某个值,如果找到了就返回下标,否则返回npos
- getline:读取缓冲区的数据直到遇到换行符,这是为了防止出现cin遇到空格停止读取,无法将后续内容放入同一个字符串中
- operator>>和operator<<:重载流插入和流提取,使字符串也支持cin和cout的用法
写在最后:
1. 由于这是第一次接触到STL,所以将很多的成员函数接口讲解的比较细致,后续的STL容器的接口将会省略掉一些重复的和相似性很高的函数。
2. 关于某个类的使用,是不可能用一篇博客说明白的,还是要在实践中学习,多看看文档里的内容