string类型操作
字符串切割
str.substr(索引,切割的个数) -> 返回字符串
注意:第二个参数为切割的个数
string buf = "abcdefg";
buf.substr(0, 2); // 结果为 "ab"
buf.substr(1, 3); // 结果为 "bcd"
字符串输入
使用getline读入字符串可以保留字符串中的空格
getline(cin , s1);
使用cin 在遇到空格或回车时停止
cin >> s1;
多字符串的输入,遇到空格代表当前字符串赋值完成,转到下个字符串赋值,回车停止
cin >> s2 >> s3;
cctype头文件(判断字符类型:大/小写字母、标点、数字等)
isalnum(c) // 当是字母或数字时为真
isalpha(c) // 当是字母时为真
isdigit(c) // 当是数字是为真
islower(c) // 当是小写字母时为真
isupper(c) // 当是大写字母时为真
isspace(c) // 当是空白(空格、回车、换行、制表符等)时为真
isxdigit(c) // 当是16进制数字是为真
ispunct(c) // 当是标点符号时为真(即c不是 控制字符、数字、字母、可打印空白 中的一种)
isprint(c) // 当时可打印字符时为真(即c是空格或具有可见形式)
isgraph(c) // 当不是空格但可打印时为真
iscntrl(c) // 当是控制字符时为真
tolower(c) // 若c是大写字母,转换为小写输出,否则原样输出
搜索操作
int index = str.find(arg) 找到arg第一次出现的位置
str.rfind() 找到arg最后一次出现的位置
如果没找到返回 -1
例如:
string buf = "abcdefg";
buf.find("cde"); // 结果为 2
buf.find("ff"); // 结果为 -1
- 找到args中任意一个字符最早\最晚出现的位置
s.find_first_of(args) // 在s中找到args中任意一个字符最早出现的位置
s.find_last_of(args) // 在s中找到args中任意一个字符最晚出现的位置
例如:
string s1 = "nice to meet you~";
cout << s1.find_first_of("mey") << endl; // 输出结果为 3,'e' 出现的最早
- 在 s 中查找 第一个/最后一个 不在 args 中的字符的位置
s.find_first_not_of(args) // 查找 s 中 第一个不在 args 中的字符的位置
s.find_last_not_of(args) // 查找 s 中 最后一个不在 args 中的字符的位置
例如:
string s1 = "nice to meet you~";
cout << s1.find_first_not_of("nop") << endl; // 输出结果为 1 ,'i' 不在 "nop" 里
类型转换
- 将任意类型转换为string类型 (val可以是任何算数类型,int、double等)
string s = to_string(val)
- 将string类型转换为整型(需包含cstdio头文件)
int num1 = stoi(s, p , b) // s表示字符串,p是指针,用来保存s中第一个非数值的下标,默认为0,也可以是空指针
// b是进制数 ,将字符串作为几进制的数转换,最终结果仍然以10进制表示
//(相当于任意进制转为10进制)
还有其他几种接收类型
int num = stoi(s) // 默认10进制
long num stol(s, p, b) // 返回long型
unsigned long num stoul(s, p, b) // 返回unsigned long型
long long num stoll(s, p, b) // 返回long long型
unsigned long long num stoll(s, p, b) // 返回unsigned long long型
- 将string类型转换为浮点数
stof(s) stof(s,p) stod(s,p) stold(s,p) // 分别对应float、double、long double类型
- char型转数值函数原型 int atoi(const char *_Str) 传入参数是指针类型,所以要对字符取地址
atoi(c) // int类型
atol(c) // long类型
atoll(c) // long long类型
atof(c) // float类型
标签:常用,string,args,long,C++,字符串,时为,find From: https://www.cnblogs.com/1873cy/p/18362337