标准库中的string类(下)——“C++”

news2024/11/19 4:24:23

各位CSDN的uu们你们好呀,这段时间小雅兰的内容仍然是C++string类的使用的内容,下面,让我们进入string类的世界吧!!!


 string类的常用接口说明


string - C++ Reference

string类的常用接口说明

string类对象的修改操作 

insert

这是在第五个位置插入xxxx这个字符串!

下面的代码的意思是头插4个x字符!

 头插还可以这么写,用迭代器的方式!

#include<iostream>
#include<string>
using namespace std;
int main()
{
	string s1("hello world");
	s1.insert(5, "xxxx");
	cout << s1 << endl;

	s1.insert(0, 4, 'x');
	cout << s1 << endl;

	s1.insert(s1.begin(), 'z');
	cout << s1 << endl;
    return 0;
}

insert最常见的用法还是插入字符和插入字符串!

严格来说,对于string类,insert是能少用就少用!


erase

下面两段代码的意思是:从第五个位置开始,删除四个字符

从第五个位置开始,后面有多少个字符就删多少个字符! 


assign

#include<iostream>
#include<string>
using namespace std;
int main()
{
	string s1("hello world");
	s1.assign(s1);
	cout << s1 << endl;

	s1.assign(s1, 4, 7);
	cout << s1 << endl;

	s1.assign("pangrams are cool", 8);
	cout << s1 << endl;

	s1.assign("C-string");
	cout << s1 << endl;
    return 0;
}

 


 replace

 

#include<iostream>
#include<string>
using namespace std;
int main()
{
	string s1("hello world hello lsy");
	cout << s1 << endl;

	//所有的空格替换成%20
	size_t pos = s1.find(' ');
	while (pos != string::npos)
	{
		s1.replace(pos, 1, "%20");
		pos = s1.find(' ');
	}
	cout << s1 << endl;
	return 0;
}

以前在学习C语言的时候,就写过程序实现这个功能,只是那时候还颇为复杂,学习了C++的string类之后,就简单多了,但是,这个程序写得还是不够好!

真正的问题是:每次find都要从头开始find,这样显然是没有必要的!

这样写就好多了! 

int main()
{
    string s1("hello  world hello lsy");
    cout << s1 << endl;

    //所有的空格替换成%20
    size_t pos = s1.find(' ', 0);
    while (pos != string::npos)
    {
        s1.replace(pos, 1, "%20");
        pos = s1.find(' ', pos + 3);
    }
    cout << s1 << endl;
    return 0;
}

但是实际上,这个程序还是不会这样写,因为replace要挪动数据,效率是很低的!

下面,小雅兰就给大家介绍一种高效率的写法:

int main()
{
	string s1("hello  world hello lsy");
	cout << s1 << endl;

	//所有的空格替换成%20
	size_t pos = s1.find(' ', 0);
	while (pos != string::npos)
	{
		s1.replace(pos, 1, "%20");
		//效率很低,能不用就不要用了
		pos = s1.find(' ', pos + 3);
	}
	cout << s1 << endl;

	string s2("hello  world hello lsy");
	cout << s2 << endl;
	string s3;
	for (auto ch : s2)
	{
		if (ch == ' ')
		{
			s3 += "%20";
		}
		else
		{
			s3 += ch;
		}
	}
	cout << s3 << endl;
	s2.swap(s3);
	cout << s2 << endl;

	return 0;
}

swap 

不过,swap是不一样的!

第一个swap会产生临时对象,会有拷贝,效率没那么高,第二个swap就是直接交换了指针!

第二种写法的唯一缺陷就是消耗了空间! 


pop_back


c_str

#define _CRT_SECURE_NO_WARNINGS 1
#include<iostream>
#include<string>
using namespace std;

int main()
{
    string filename("test20240124.cpp");
    FILE* fout = fopen(filename.c_str(), "r");
    char ch = fgetc(fout);
    while (ch != EOF)
    {
        cout << ch;
        ch = fgetc(fout);
    }

    return 0;
}

这个接口的主要目的就是兼容C!

这个程序就把小雅兰今天在文件中写的代码全部读取到控制台啦!


find+substr

 

 要取一个文件的后缀:

int main()
{
	string s1("Test.cpp");
	string s2("Test.zip");

	size_t pos1 = s1.find('.');
	if (pos1 != string::npos)
	{
		string suff = s1.substr(pos1, s1.size() - pos1);
		//string suff = s1.substr(pos1);
		cout << suff << endl;
	}

	size_t pos2 = s2.find('.');
	if (pos2 != string::npos)
	{
		string suff = s2.substr(pos2);
		cout << suff << endl;
	}
	return 0;
}

 但是这样写有一点小问题:

int main()
{
    string s1("Test.cpp");
    string s2("Test.tar.zip");

    size_t pos1 = s1.find('.');
    if (pos1 != string::npos)
    {
        //string suff = s1.substr(pos1, s1.size() - pos1);
        string suff = s1.substr(pos1);
        cout << suff << endl;
    }

    size_t pos2 = s2.find('.');
    if (pos2 != string::npos)
    {
        string suff = s2.substr(pos2);
        cout << suff << endl;
    }
    return 0;
}

取到的不是真后缀! 

int main()
{
	string s1("Test.cpp");
	string s2("Test.tar.zip");

	size_t pos1 = s1.rfind('.');
	if (pos1 != string::npos)
	{
		//string suff = s1.substr(pos1, s1.size() - pos1);
		string suff = s1.substr(pos1);
		cout << suff << endl;
	}

	size_t pos2 = s2.rfind('.');
	if (pos2 != string::npos)
	{
		string suff = s2.substr(pos2);
		cout << suff << endl;
	}
	return 0;
}

 

这样才是取到的正确的后缀!

接下来,来看一个更为复杂的场景:

给定一个网址,把它的三个部分分离!

string str("https://legacy.cplusplus.com/reference/string/string/substr/");
string sub1, sub2, sub3;
pos1 = str.find(':');
sub1 = str.substr(0, pos1 - 0);
cout << sub1 << endl;

pos2 = str.find('/', pos1 + 3);
sub2 = str.substr(pos1 + 3, pos2 - (pos1 + 3));
cout << sub2 << endl;

sub3 = str.substr(pos2 + 1);
cout << sub3 << endl;

 


find_first_of

#include<iostream>
#include<string>
using namespace std;

int main()
{
    std::string str("Please, replace the vowels in this sentence by asterisks.");
    std::size_t found = str.find_first_of("aeiou");
    while (found != std::string::npos)
    {
        str[found] = '*';
        found = str.find_first_of("aeiou", found + 1);
    }

    std::cout << str << '\n';

    return 0;
}


find_last_of

 

#include<iostream>
#include<string>
using namespace std;

void SplitFilename(const std::string& str)
{
    std::cout << "Splitting: " << str << '\n';
    std::size_t found = str.find_last_of("/\\");
    std::cout << " path: " << str.substr(0, found) << '\n';
    std::cout << " file: " << str.substr(found + 1) << '\n';
}

int main()
{
    std::string str1("/usr/bin/man");
    std::string str2("c:\\windows\\winhelp.exe");

    SplitFilename(str1);
    SplitFilename(str2);

    return 0;
}

 


find_first_not_of

 

#include<iostream>
#include<string>
using namespace std;

int main()
{
    std::string str("look for non-alphabetic characters...");

    std::size_t found = str.find_first_not_of("abcdefghijklmnopqrstuvwxyz ");

    if (found != std::string::npos)
    {
        std::cout << "The first non-alphabetic character is " << str[found];
        std::cout << " at position " << found << '\n';
    }

    return 0;
}

 


find_last_not_of 

 

#include<iostream>
#include<string>
using namespace std;

int main()
{
    std::string str("Please, erase trailing white-spaces   \n");
    std::string whitespaces(" \t\f\v\n\r");

    std::size_t found = str.find_last_not_of(whitespaces);
    if (found != std::string::npos)
        str.erase(found + 1);
    else
        str.clear();            // str is all whitespace

    std::cout << '[' << str << "]\n";

    return 0;
}

 


+

 

int main()
{
	string s1(" hello ");
	string s2("world");

	string ret1 = s1 + s2;
	cout << ret1 << endl;

	string ret2 = s1 + "xx";
	cout << ret2 << endl;

	string ret3 = "xx" + s1;
	cout << ret3 << endl;
	return 0;
}

 


字符串最后一个单词的长度

但是这个题目有一个坑,就是:不管是scanf还是cin,默认是用空格或者换行去分割!

 

#include <iostream>
using namespace std;
#include<string>
int main() 
{
    string str;
    getline(cin,str);
    size_t pos=str.rfind(' ');
    if(pos!=string::npos)
    {
        cout<<str.size()-(pos+1)<<endl;
    }
    else 
    {
        cout<<str.size()<<endl;
    }
    return 0;
}

 


好啦,string的使用的部分到这里就结束啦,之前的文章:

https://xiaoyalan.blog.csdn.net/article/details/135110694?spm=1001.2014.3001.5502

https://xiaoyalan.blog.csdn.net/article/details/135133181?spm=1001.2014.3001.5502

还要继续加油!!!

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/1419132.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

C++ 数论相关题目 扩展欧几里得算法(裴蜀定理)

给定 n 对正整数 ai,bi &#xff0c;对于每对数&#xff0c;求出一组 xi,yi &#xff0c;使其满足 aixibiyigcd(ai,bi) 。 输入格式 第一行包含整数 n 。 接下来 n 行&#xff0c;每行包含两个整数 ai,bi 。 输出格式 输出共 n 行&#xff0c;对于每组 ai,bi &#xff0c;求…

SpringCloud--OpenFeign解析

一、OpenFeign简介 OpenFeign是一个声明式的Web服务客户端&#xff0c;它简化了与HTTP API的通信。它的底层原理主要基于Java的反射和动态代理&#xff0c;并且通过利用Spring AOP 框架、RestTemplate、Ribbon 和 Hystrix 等组件&#xff0c;将复杂的 HTTP 调用封装起来&#…

浏览器V8是怎么进行垃圾回收的

面试相关问题解答 1、浏览器V8是怎么进行垃圾回收的 浏览器的内存占用是有限制的&#xff1a; 64位系统&#xff1a;物理内存 > 16G > 最大堆内存限制为4G物理内存 < 16G > 最大堆内存限制为2G 32位系统&#xff1a;最大堆内存限制为1G为什么浏览器要对占用内…

云表企业级无代码案例-10天做出《运输车辆管理系统》

物流运输行业像物流公司、运输车队、出租客运公司等企业在车辆管理方面&#xff0c;因其行业特点而面临很多管理上难题&#xff1a; 一、管理的对象多&#xff1a;车辆多&#xff0c;如果有三方车辆挂靠&#xff0c;还要涉及到车主管理&#xff0c;关系错综复杂。 二、管理的信…

2024-01-24-redis4

秒杀活动 需求&#xff1a;库存中有10件商品 商品的信息自定义 同时有100个人去抢购&#xff08;这里100个人的抢购由jmeter来模拟&#xff09; jmeter的使用 在idea中将后台代码实现 package org.aaa.controller;import org.apache.commons.lang3.StringUtils; import org.sp…

LabVIEW机械臂轨迹跟踪控制

介绍了一个使用LabVIEW开发的机械臂轨迹跟踪控制系统。该系统的主要目标是实现对机械臂运动轨迹的精确控制&#xff0c;使其能够按照预定路径进行精确移动。此系统特别适用于需要高精度位置控制的场合&#xff0c;如自动化装配、精密操作等。 为了实现LabVIEW环境下的机械臂轨迹…

SpringSecurity(13)——OAuth2授权码模式

工作流程 基本使用 <dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-security</artifactId><version>2.3.12.RELEASE</version> </dependency> <dependency><groupId>…

架构篇26:高可用存储架构-集群和分区

文章目录 数据集群数据分区小结上一篇我们讨论了高可用存储架构中常见的双机架构,分别为主备复制、主从复制、双机切换和主主复制,并分析了每类架构的优缺点以及适应场景。 今天我们一起来看看另外两种常见的高可用存储架构:数据集群和数据分区。 数据集群 主备、主从、主…

macOS与Linux相互投屏的方法

很多人面对跨系统投屏都望而却步。其实只要找对方法&#xff0c;两台不同系统的电脑也可以相互投屏。 今天就来看看Linux系统和macOS系统如何相互投屏&#xff01; 第一步&#xff0c;将Linux系统电脑和macOS系统电脑连接同一网络。假设是macOS系统投屏到Linux系统&#xff0c;…

第五季特别篇:一夜杯、游戏之宴 2017.04.26

第五季特别篇&#xff1a;一夜杯、游戏之宴 2017.04.26 OVA 第1话&#xff1a;一夜酒杯 / 一夜杯OVA 第2话&#xff1a;游戏之宴 / 遊戯の宴 OVA 第1话&#xff1a;一夜酒杯 / 一夜杯 遭到独角妖袭击的妖怪夫妇日土和初菜被夏目所救&#xff0c;这对妖怪夫妇制作的酒杯&#xf…

1_Matlab基本操作

文章目录 工作环境操作界面运行命令窗口使用历史窗口当前目录浏览器工作空间浏览器帮助系统 工作环境 操作界面 命令窗口&#xff1a;用户进行操作的主要窗口。可以输入各种MATLAB的命令。函数和表达式。同时操作的运算结构也会在该窗口出现。历史命令窗口&#xff1a;记录用户…

猫宁愿饿着也不吃猫粮?公认适口性排名前十的生骨肉冻干推荐

猫宁愿饿着也不吃猫粮&#xff1f;主人需要细心观察并分析情况。如果猫咪出现呕吐、腹泻、体温异常等其他异常症状&#xff0c;可能是生病了&#xff0c;应及时就医。如果排除疾病原因&#xff0c;可能是猫粮的口感已经让猫咪感到腻味&#xff0c;不愿意再吃。此时&#xff0c;…

ArcGIS Pro如何新建字段

无论是地图制作还是数据分析&#xff0c;字段的操作是必不可少的&#xff0c;在某些时候现有的字段不能满足需求还需要新建字段&#xff0c;这里为大家讲解一下在ArcGIS Pro中怎么新建字段&#xff0c;希望能对你有所帮助。 数据来源 教程所使用的数据是从水经微图中下载的水…

优维全面可观测产品能力分解②:变更可观测

上周&#xff0c;我们推出了优维全面可观测能力介绍的系列性文章的第一篇&#xff1a;架构可观测。优维架构可观测是从系统架构的视角来呈现链路与服务的状态数据&#xff0c;点击可回看&#xff1a;架构可观测文章。本周&#xff0c;我们将推出本系列性文章的第二篇&#xff1…

基于springboot网上书城交易平台源码和论文

在Internet高速发展的今天&#xff0c;我们生活的各个领域都涉及到计算机的应用&#xff0c;其中包括网上书城管理系统的网络应用&#xff0c;在国外网上书城管理系统已经是很普遍的方式&#xff0c;不过国内的书城管理系统可能还处于起步阶段。网上书城管理系统具有网上书城信…

巴厘行记(五)——情人崖

欢迎览阅《巴厘行记》系列文章 巴厘行记巴厘行记&#xff08;一&#xff09;——海神庙 巴厘行记&#xff08;二&#xff09;——乌布之夜 巴厘行记&#xff08;三&#xff09;——Auntie和Mudi 巴厘行记&#xff08;四&#xff09;——乌布漫游 巴厘行记&#xff08;五&a…

TypeScript实战系列之合理运用类型

目录 介绍any 和 unknownerve 的用途断言type 和 interfacedeclare 关键字的作用联合类型 和 类型守卫交叉类型 介绍 这篇主要介绍下ts 常用的基本类型和一些常用的技巧性技能 any 和 unknow any 和 unknown 是两个类型关键字&#xff0c;它们用于处理类型不确定或未知的情况…

羊奶温和无副作用,对五脏六腑有益

羊奶温和无副作用&#xff0c;对五脏六腑有益 羊奶一直以来都被视为一种高营养价值的饮品。与普通的牛奶相比&#xff0c;羊奶含有更多的维生素和矿物质&#xff0c;对人体的健康有着更多的益处。羊奶不仅温和无副作用&#xff0c;而且对五脏六腑都有着独特的滋补作用。 首先&…

day30_HTML

day25后几天为答疑和测试&#xff0c;第二阶段学习第一天是day30 在今日内容 0 复习昨日 1 本周安排 2 第二阶段介绍 3 HTML 0 复习昨日 1 本周安排 前面的Java知识 类,对象,属性,方法 String,日期操作,包装类操作 集合操作 本周 HTML 1天CSS 1天JavaScript 3天 前端知识比后…

OpenGL/C++_学习笔记(四)空间概念与摄像头

汇总页 上一篇: OpenGL/C_学习笔记&#xff08;三&#xff09; 绘制第一个图形 OpenGL/C_学习笔记&#xff08;四&#xff09;空间概念与摄像头 空间概念与摄像头前置科技树: 线性代数空间概念流程简述各空间相关概念详述 空间概念与摄像头 前置科技树: 线性代数 矩阵/向量定…