【C++ STL String】常用操作
2018-01-06 本文已影响0人
小黑的守望
前言
<string> 是C++标准程序库中的一个头文件,定义了C++标准中的字符串的基本模板类std::basic_string以及相关的模板类实例
STL : 标准模板库(Standard Template Library),是一个C++软件库,也是C++标准程式库的一部分。其中包含4个元件,分别为算法、容器、函式、迭代器
定义字符串
C++如果想要使用string类,则必须要包括<iostream>
#include <iostream>
#include <string> //包装了std的C++头文件
string myName;
字符串常用操作
字符串拼接
stringA=StringA+StringB;
stringA+=StringB;
获取输入
#include <iostream>
#include <string>
string myName;
getline(cin,myName);
字符串注意
字符串类的最后一个char也是 '\0'
while (myName[i]!='\0')
{
cout << i<<"\t"<<myName[i] << endl;
++i;
}
字符串长度
字符串为空
-
empty()
:返回是否为空 -
clear()
:清空字符串
字符串长度
-
length()
:等效于size(),返回字符串长度 -
resize(10,'x')
:改变长度,如果超过了原有长度,后面补充x,第二个参数默认为null
字符串内存 - capacity():无需再次申请内存可存放的字节数
- reserve(10):申请10字符的内存,通常在大量的
insert
前先reserve
一下,避免多次申请内存
查找
-
str.find("11")
:字符串11
在str
中第一次出现的下标,未找到为string:npos
-
str.rfind("11")
:同上,从右向左查找 -
str.find("11",3)
:从下标3开始查找
修改
-
erase(5)
:去掉下标5开始的所有字符 -
replace(2,3,"11")
:下标2开始的3个字符换成11
- insert(2,"11"):下标2处插入
11
转换为字符串
std::string to_string( int value );
std::string to_string( long value );
std::string to_string( long long value );
std::string to_string( unsigned value );
std::string to_string( unsigned long value );
std::string to_string( unsigned long long value );
std::string to_string( float value );
std::string to_string( double value );
std::string to_string( long double value );
C风格和C++风格如何转换
//c++字符串转换为c字符串
strSectionName.c_str()
//c字符串转换为C++字符串
string str=chstr;
string str=arstr; //可以直接进行赋值。
格式化字符串
使用流来处理字符串格式化
#include "stdafx.h"
#include <string>
#include <iostream>
#include <sstream>
using namespace std;
int main()
{
string myTest;
ostringstream buffer;
buffer << "EltonTest" << "_" << 2017 << "_Test"
<< endl;
myTest = buffer.str();
return 0;
}
分割字符串为数组
//字符串分割函数
std::vector<std::string> split(std::string str, std::string pattern)
{
std::string::size_type pos;
std::vector<std::string> result;
str += pattern;//扩展字符串以方便操作
int size = str.size();
for (int i = 0; i < size; i++)
{
pos = str.find(pattern, i);
if (pos < size)
{
std::string s = str.substr(i, pos - i);
result.push_back(s);
i = pos + pattern.size() - 1;
}
}
return result;
}
使用第三方库
心得:
使用string类可以比C++的字符串数组更加的方便,而且依赖更小,但是标准String不提供格式化写入字符串。