这是关于一个普通双非本科大一学生的C++的学习记录贴
在此前,我学了一点点C语言还有简单的数据结构,如果有小伙伴想和我一起学习的,可以私信我交流分享学习资料
那么开启正题
今天分享的内容是string类
这里给上官方的文档链接,有需要的可以看看
http://www.cplusplus.com/reference/string/string/?kw=string
下面介绍string类的常用接口
string() //构造空的string类对象,即取空字符串
string(const char* s) //用C-string来构造string类对象
string(size_n,char c) //string类对象中包含n个字符c
string(const string&s) //拷贝构造函数
下面给出例子
void Test1()
{
string s1();
string s2("hehe");
string s3(3, 'a');
string s4(s2);
}
size() //返回字符串有效字符长度
length //返回字符串有效字符长度
capacity //返回空间总大小
empty //检测字符串释放为空串,是返回true,否则返回false
clear //清空有效字符
reserve //为字符串预留空间
resize //将有效字符的个数该成n个,多出的空间用字符c填充
void stringTest1()
{
string s("hehe");
cout << s.size() << endl;
cout << s.length() << endl;
cout << s.capacity() << endl;
if (!s.empty())
{
cout << "yes" << endl;
}
s.clear();
s.resize(30);
cout << s.size() << endl;
s.reserve(1);
cout << s.capacity() << endl;
s.reserve(100);
cout << s.capacity() << endl;
}
1.size()与length()方法底层原理完全相同,引入size()是为了与其他容器的接口保持一致,一般情况都是用size()
2.clear()只是将string中的有效字符清空,不改变底层空间大小
3. resize(size_t n) 与 resize(size_t n, char c)都是将字符串中有效字符个数改变到n个,不同的是当字 符个数增多时:resize(n)用0来填充多出的元素空间,resize(size_t n, char c)用字符c来填充多出的 元素空间。注意:resize在改变元素个数时,如果是将元素个数增多,可能会改变底层容量的大 小,如果是将元素个数减少,底层空间总大小不变
4. reserve(size_t res_arg=0):为string预留空间,不改变有效元素个数,当reserve的参数小于 string的底层空间总大小时,reserver不会改变容量大小
operator[] //返回pos位置的字符,const string类对象调用
begin + end //begin获取一个字符的迭代器+end获取最后一个字符下一个位置的迭代器
rbegin + rend //begin获取一个字符的迭代器+end获取最后一个字符下一个位置的迭代器
范围for //C++11支持更简洁的范围for的新遍历方式
void stringTest2()
{
string s("abcde");
int i = 0;
for (i = 0; i < s.size(); i++)
{
cout << s[i] << " ";
}
cout << endl;
string::iterator it = s.begin();
while (it != s.end())
{
cout << *it << " ";
it++;
}
cout << endl;
//string::reverse_iterator rit = s.rbegin();
auto rit = s.rbegin(); ;//C++11提供的更简便的写法
while (rit != s.rend())
{
cout << *rit << " ";
rit++;
}
cout << endl;
for (auto& ch : s)
{
cout << ch << " ";
}
cout << endl;
}
push_back //在字符串后尾插字符c
append //在字符串后追加一个字符串
operator+= //在字符串后追加字符串str
c_str //返回C格式字符串
find + npos//从字符串pos位置开始往后找字符c,返回该字符在字符串中的位置
rfind //从字符串pos位置开始往前找字符c,返回该字符在字符串中的位置
substr //在str中从pos位置开始,截取n个字符,然后将其返回
void stringTest3()
{
string s("hello");
s.push_back(' ');
s.append("world");
cout << s << endl;
s += ' ';
s += "by_wkl";
cout << s << endl; //以size为结束标志
cout << s.c_str() << endl; //以'\0'为结束标志
}
void stringTest4()
{
string s("Test.cpp.wkl");
// npos是string里面的一个静态成员变量
// static const size_t npos = -1;
int pos = s.find('.');
string s1 = s.substr(pos);
cout << s1 << endl;
pos = s.rfind('.');
s1 = s.substr(pos);
cout << s1 << endl;
}
operator+ //尽量少用,因为传值返回,导致深拷贝效率低
operator>> //输入运算符重载
operator<< //输出运算符重载
getline //获取一行字符串
relational operators //大小比较
今天的博客就到这里了,后续内容明天分享,最近因为考试周原因不能更新太多内容,等考试周结束了再"快马加鞭"
新手第一次写博客,有不对的位置希望大佬们能够指出,也谢谢大家能看到这里,让我们一起学习进步吧!!!