【C++】string 类

1. 标准库中的string类

注意:

1. string是表示字符串的字符串类

2. 该类的接口与常规容器的接口基本相同,再添加了一些专门用来操作string的常规操作。 比特就业课

3. string在底层实际是:basic_string模板类的别名,typedef basic_string string;

4. 不能操作多字节或者变长字符的序列。 在使用string类时,必须包含#include头文件(#include<string>)以及using namespace std;

a. string类对象的常见构造

代码举例1

#include <iostream>
#include<string>
using namespace std;
int main()
{
	string t1; // 相当于类对象的实例化
}

代码举例2

#include <iostream>
#include<string>
using namespace std;
int main()
{
	string t1("hello world"); // 调用构造函数
	cout << t1 << endl;
	string t2 = "hello world"; //隐式类型转换(构造函数 + 拷贝构造 + 优化 -> 构造函数)
	cout << t2 << endl;
}

代码举例3

#include <iostream>
#include<string>
using namespace std;
int main()
{
	string t1(10, 'a');  // 拷贝 10 个 a
	cout <<  t1 << endl;
}

运行结果:

代码举例4

#include <iostream>
#include<string>
using namespace std;
int main()
{
	string t1("hello");
	string t2(t1); // 拷贝构造
	cout << t2 << endl;
}

b. string类对象的容量操作

  • size (返回字符串有效字符长度,没有 '\0 ')

代码举例1

#include <iostream>
#include<string>
using namespace std;
int main()
{
	string t1 = "hello";
	cout << t1.size() << endl;
}

运行结果:

  • capacity (返回字符串的总空间大小)

代码举例2

#include <iostream>
#include<string>
using namespace std;
int main()
{
	string t1 = "hello";
	cout << t1.capacity() << endl;
}

运行结果:

分析:

string 类里面的成员变量有两个可以存储空间,一个是数组,另一个是动态开辟的空间,当数组空间不足时,才会用动态开辟

  • reserve(扩大字符串容量,字符有效长度不变:即 size 不变)

代码举例3

#include <iostream>
using namespace std;
int main()
{
	string t1 = "hello";
	cout << "有效长度:" << t1.size() << " 总容量:" << t1.capacity() << endl;
	t1.reserve(100);
	cout << "有效长度:" << t1.size() << " 总容量:" << t1.capacity() << endl;
}

运行结果:

分析:

有些编译器在分配空间的时候,可能会对于开辟所需的空间再给大一点

  • resize (将有效字符的个数该成n个,多出的空间用字符c填充)

代码举例4

#include <iostream>
using namespace std;
int main()
{
	string t1 = "hello";
	cout << "有效长度:" << t1.size() << " 总容量:" << t1.capacity() << endl;
	t1.resize(100);
	cout << "有效长度:" << t1.size() << " 总容量:" << t1.capacity() << endl;
	t1.resize(10); //可以缩小有效长度,但总容量不会随意变动
	cout << "有效长度:" << t1.size() << " 总容量:" << t1.capacity() << endl;
	t1.resize(20, '*'); //对于的空间可以初始化任意字符
	cout << t1 << endl;
}

运行结果:

c. string类对象的访问及遍历操作

  • operator[] (返回pos位置的字符,和 C 语言的用法一样,const string类对象调用)
  • begin + end (begin获取一个字符的迭代器 + end获取最后一个字符下一个位置的迭代器)

代码举例1

#include <iostream>
using namespace std;
int main()
{
	string t1 = "hello bit";
	string::iterator it = t1.begin();
	// it 相当于拿到 首元素的地址了
	while (it != t1.end())
	{
		cout << *it << endl;
		it++;
	}
}

运行结果:

分析:

  • rbegin + rend (rbegin获取最后一个字符的迭代器 + rend获取第一个字符前一个位置的迭代器)

代码举例2

#include <iostream>
using namespace std;
int main()
{
	string t1 = "hello bit";
	string::reverse_iterator rit = t1.rbegin();
	// it 相当于拿到 首元素的地址了
	while (rit != t1.rend())
	{
		cout << *rit << endl;
		rit++;
	}
}

运行结果:

分析:

  • 范围for

代码举例3

#include <iostream>
using namespace std;
int main()
{
	string t1 = "hello bit";
	for (auto i : t1)
	{
		cout << i;
	}
	cout << endl;
	for (int i = 0; i < t1.size(); i++)
	{
		cout << t1[i];
	}
}

运行结果:

d. string类对象的修改操作

  • push_back (在字符串后面增加一个字符)

代码举例1

#include <iostream>
using namespace std;
int main()
{
	string t1 = "hello";
	t1.push_back('a');
	t1.push_back('a');
	t1.push_back('a');
	cout << t1 << endl;
}

运行结果:

  • append (在字符串后面再增加一个字符串)

代码举例2

#include <iostream>
using namespace std;
int main()
{
	string t1 = "hello";
	t1.append("abcd");
	cout << t1 << endl;
}

运行结果:

  • operator+= (在字符串后面加一个字符或者一个字符串)

代码举例3

#include <iostream>
using namespace std;
int main()
{
	string t1 = "hello";
	t1 += "aabc";
	t1 += '*';
	cout << t1 << endl;
}

运行结果:

  • c_str (返回存储的字符串)

代码举例4

#include <iostream>
using namespace std;
int main()
{
	string t1 = "hello";
	t1 += '\0';
	t1 += 'a';
	cout << t1 << endl;
	cout << t1.c_str();
}

运行结果:

分析:

c_str() 是直接返回字符串 ,所以遇到 '\0' 就终止了

的完成是根据_size去遍历每个字符串

  • find + npos (从字符串pos位置开始往后找字符c,返回第一次遇到的该字符在字符串中的位置)

代码举例5

#include <iostream>
using namespace std;
int main()
{
	string t1 = "hello";
	cout << t1.find('o',2) << endl;
	// 从下标为 2 的位置去找字符 'o'
	cout << t1.find("lo") << endl;
	// 默认从下标 0 的位置去找字符串
}

注意:

  1. 如果找不到,返回 npos ( size_t npos = -1)
  2. 默认 pos 从 0 下标开始
  • rfind(从字符串pos位置开始往前找字符c,返回第一次遇到该字符在字符串中的位置)

代码举例6

#include <iostream>
using namespace std;
int main()
{
	string t1 = "hello";
	cout << t1.rfind('l') << endl;
}

运行结果:

注意:

  1. 如果找不到,返回 npos ( size_t npos = -1)
  2. 默认 pos 从 字符串中的最后一个字符(不是 '\0' ) 下标开始

e. string类非成员函数

  • operator>> (输入运算符重载)
  • operator<< (输出运算符重载)
  • getline (获取一行字符串)

代码举例

#include <iostream>
#include <string>
using namespace std;
int main()
{
	string t1;
	getline(cin, t1);
	cout << t1 << endl;
	return 0;
}

注意:

getline 遇到空格不会结束

cin 遇到空格会结束

 2. string 类的模拟

namespace lhy
{
	class string
	{
	public:
		typedef char* iterator;
		typedef const char* const_iterater;
		iterator begin()
		{
			return _str;
		}
		iterator end()
		{
			return _str + _size;
		}
		const_iterater begin() const
		{
			return _str;
		}
		const_iterater end() const
		{
			return _str + _size;
		}
		string(const char* str = "")
			:_size(strlen(str))
		{
			_capacity = _size == 0 ? 3 : _size;
			_str = new char[_capacity + 1];
			strcpy(_str, str);
		}
		string(const string& t)
			:_size(strlen(t._str))
		{
			_capacity = t._size;
			_str = new char[_capacity + 1];
			strcpy(_str, t._str);
		}
		string(int n, char ch)
		:_size(n)
		{
			_capacity = _size;
			_str = new char[_capacity + 1];
			for (int i = 0; i < n; i++)
			{
				_str[i] = ch;
			}
			_str[_capacity] = '\0';
		}
		string& operator=(const string& t)
		{
			_size = t._size;
			_capacity = t._capacity;
			char* tmp = new char[_capacity + 1];
			strcpy(tmp, t._str);
			delete[] _str;
			_str = tmp;
			return *this;
		}
		char& operator[](int pos)
		{
			assert(pos < _size);
			return _str[pos];
		}
		const char& operator[](int pos) const 
		{
			assert(pos < _size);
			return _str[pos];
		}
		size_t size() const
		{
			return _size;
		}
		const char* c_str() const
		{
			return _str;
		}
		bool operator>(const string& t) const
		{
			if (strcmp(_str, t._str) > 0)
			{
				return true;
			}
			return false;
		}
		bool operator==(const string& t) const
		{
			if (strcmp(_str, t._str) == 0)
			{
				return true;
			}
			return false;
		}
		bool operator<(const string& t) const
		{
			if (strcmp(_str, t._str) < 0)
			{
				return true;
			}
			return false;
		}
		bool operator<=(const string& t) const
		{
			return *this < t || *this == t;
		}
		bool operator>=(const string& t) const
		{
			return *this > t || *this == t;
		}
		bool operator!=(const string& t) const
		{
			return !(*this == t);
		}
		void push_back(const char ch)
		{
			if (_size + 1 > _capacity)
			{
				reserve(_size * 2);
			}
			_size++;
			_str[_size - 1] = ch;
			_str[_size] = '\0';
		}
		void append(const char* str)
		{
			int len = strlen(str);
			if (_size + len > _capacity)
			{
				reserve(_size + len);
			}
			strcpy(_str + _size, str);
			_size += len;
		}
		void reserve(size_t n)
		{
			if (n > _size)
			{
				char* tmp = new char[n + 1];
				strcpy(tmp, _str);
				delete[] _str;
				_str = tmp;
				_capacity = n;
			}
		}
		void resize(size_t size,char ch = '\0')
		{
			if (size > _size)
			{
				reserve(size);
				int x = size - _size;
				while (x--)
				{
					*this += ch;
				}
				_size = size;
			}
			else
			{
				_size = size;
				_str[_size] = '\0';
			}
		}
		void insert(size_t pos,const char ch)
		{
			assert(pos <= _size);
			if (_size + 1 > _capacity)
			{
				reserve(_size * 2);
			}
			_size++;
			for (int i = _size; i > pos; i--)
			{
				_str[i] = _str[i - 1];
			}
			_str[pos] = ch;
		}
		void insert(size_t pos,const char* str)
		{
			assert(pos <= _size);
			int len = strlen(str);
			if (_size + len > _capacity)
			{
				reserve(_size + len);
			}
			_size += len;
			for (size_t i = _size; i > pos + len - 1; i--)
			{
				_str[i] = _str[i - len];
			}
			strncpy(_str + pos, str, len);
		}
		void erase(size_t pos,size_t n = npos)
		{
			assert(pos <= _size);
			if (n == npos || pos + n >= _size )
			{
				_str[pos] = '\0';
				_size = pos;
			}
			else
			{
				for (int i = pos + n; i <= this->size(); i++)
				{
					_str[i - n] = _str[i];
				}
				_size -= n;
			}
		}
		void swap(string &t)
		{
			std::swap(_size, t._size);
			std::swap(_capacity, t._capacity);
			std::swap(_str, t._str);

		}
		size_t find(const char ch, size_t pos = 0)
		{
			assert(pos < _size);
			for (size_t i = pos; i < this->size(); i++)
			{
				if (_str[i] == ch)
				{
					return i;
				}
			}
			return -1;
		}
		size_t find(const char* str, size_t pos = 0)
		{
			assert(pos < _size);
			char *tmp = std ::strstr(_str + pos, str);
			if (tmp == nullptr)
			{
				return -1;
			}
			else
			{
				return tmp - _str;
			}
		}
		string& operator+=(const char *str)
		{
			append(str);
			return *this;
		}
		string& operator+=(const char ch)
		{
			push_back(ch);
			return *this;
		}
		void clear()
		{
			_str[0] = '\0';
			_size = 0;
		}
		~string()
		{
			delete[] _str;
			_str = nullptr;
		}

	private:
		char* _str;
		size_t _size;
		size_t _capacity;
		static size_t npos;
	};
	size_t string::npos = -1;
	ostream& operator<<(ostream& out, const string& t)
	{
		for (size_t i = 0; i < t.size(); i++)
		{
			out << t[i];
		}
		return out;
	}
	istream& operator>> (istream& in,string& t)
	{
		t.clear();
		int i = 0;
		char tmp[128];
		char ch = in.get();
		while (ch != ' ' && ch != '\n')
		{
			tmp[i++] = ch;
			if (i == 126)
			{
				tmp[i + 1] = '\0';
				t += tmp;
				i = 0;
			}
			ch = in.get();
		}
		if (i != 0)
		{
			tmp[i] = '\0';
			t += tmp;
		}
		return cin;
	}
}

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

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

HBuilder X 关于404问题

大家好&#xff0c;我是晴天学长&#xff0c;本次分享来自昨天的bug调试,本分享感谢一位友友的支持&#xff0c;提供了样例图片。&#x1f4aa;&#x1f4aa;&#x1f4aa; 1) .先项目再html文件 创建项目再创建html&#xff0c;实也不复杂&#xff0c;就是一个库的事情&#…

力扣经典题目解析--反转链表

原题地址: . - 力扣&#xff08;LeetCode&#xff09; 给你单链表的头节点 head &#xff0c;请你反转链表&#xff0c;并返回反转后的链表。 示例 1&#xff1a; 输入&#xff1a;head [1,2,3,4,5] 输出&#xff1a;[5,4,3,2,1] 题目解析 链表&#xff08;Linked List&…

【Java】关于ZooKeeper的原理以及一致性问题,协议和算法和ZooKeeper的理论知识和应用 场景

1. 目录 目录 1. 目录 2. 什么是ZooKeeper 3. 一致性问题 4. 一致性协议和算法 4.1. 2PC&#xff08;两阶段提交&#xff09; 4.2. 3PC&#xff08;三阶段提交&#xff09; 4.3. Paxos 算法 4.3.1. prepare 阶段 4.3.2. accept 阶段 4.3.3. paxos 算法的死循环…

3d怎么拖模型---模大狮模型网

在3D建模软件中拖动(移动)模型通常是一种基本的操作&#xff0c;用来调整模型的位置或布局。以下是一般情况下在3D建模软件中拖动模型的基本步骤&#xff1a; 3d拖模型的步骤&#xff1a; 选择模型&#xff1a;在3D建模软件中选中你要拖动的模型。通常可以通过单击模型来选中它…

Docker容器化解决方案

什么是Docker&#xff1f; Docker是一个构建在LXC之上&#xff0c;基于进程容器的轻量级VM解决方案&#xff0c;实现了一种应用程序级别的资源隔离及配额。Docker起源于PaaS提供商dotCloud 基于go语言开发&#xff0c;遵从Apache2.0开源协议。 Docker 自开源后受到广泛的关注和…

qnx display

05-SA8155 QNX Display框架及代码分析(1)_openwfd-CSDN博客 backlight p: 0 t: 0 00000 SHD -----ONLINE----- 2024/03/06 13:49:22.046 backlight p:1060958 t: 1 00000 ERR backlight_be[backlight_be.c:284]: pthread_create enter 2024/03/06 13…

时钟显示 html JavaScript

sf.html <!DOCTYPE html> <html><head><meta charset"UTF-8"><title>时间</title><script>function showTime(){var timenew Date();var datetime.getDate();var yeartime.getFullYear();var monthtime.getMonth()1;var …

指针乐园----上

大家好&#xff0c;我是Beilef&#xff0c;许久未见还请多多关照。 文章目录 目录 文章目录 前言 一、指针是什么 二、指针的运用 1.指针变量和地址 2.指针变量和解引⽤操作符&#xff08;*&#xff09; 解引用操作符 3.指针变量类型及意义 3.2指针的-整数 3.3 void* 指针 …

css-解决Flex布局下居中溢出滚动截断问题

css-解决Flex布局下居中溢出滚动截断问题 1.出现的问题2.解决方法2.1 Flex 布局下关键字 safe、unsafe2.2 使用 margin: auto 替代 justify-content: center2.3 额外嵌套一层 1.出现的问题 在页面布局中&#xff0c;我们经常会遇到/使用列表内容水平居中于容器中&#xff0c;一…

linux系统上安装docker 并配置国内镜像

目录 1.安装docker 2.配置国内镜像源 1.安装docker 首先要安装一个yum工具 yum install -y yum-utils 安装成功后&#xff0c;执行命令&#xff0c;配置Docker的yum源&#xff1a; yum-config-manager --add-repo https://download.docker.com/linux/centos/docker-ce.repo …

AI加速“应用现代化”,金融核心系统转型正当时

数字经济时代&#xff0c;金融机构需要快速感知客户需求&#xff0c;提升产品供给的敏捷度&#xff0c;才能在白热化的竞争环境中抢占先机&#xff0c;而无论是金融机构还是方案提供商&#xff0c;都需要深入思考核心系统现代化的内涵&#xff0c;携手迈出应用现代化的重要一步…

MySQL 核心模块揭秘 | 08 期 | 二阶段提交 (2) commit 阶段

这篇文章是二阶段提交的 commit 子阶段的前奏&#xff0c;聊聊 commit 子阶段相关的一些概念。 作者&#xff1a;操盛春&#xff0c;爱可生技术专家&#xff0c;公众号『一树一溪』作者&#xff0c;专注于研究 MySQL 和 OceanBase 源码。 爱可生开源社区出品&#xff0c;原创内…

几种电脑提示mfc140.dll丢失的解决方法,以及如何预防mfc140.dll丢失

mfc140.dll真是一个超级关键的动态链接库文件&#xff01;一旦这个文件不翼而飞&#xff0c;可能会导致一些程序无法顺利运行&#xff0c;甚至给系统带来麻烦。但别担心&#xff01;遇到mfc140.dll文件丢失的情况&#xff0c;我们有一堆应对措施可以立马施行&#xff0c;确保问…

掌握Pillow:Python图像处理的艺术

掌握Pillow&#xff1a;Python图像处理的艺术 引言Python与图像处理的概述Pillow库基础导入Pillow库基本概念图像的打开、保存和显示 图像操作基础图像的剪裁图像的旋转和缩放色彩转换和滤镜应用文字和图形的绘制 高级图像处理图像的合成与蒙版操作像素级操作与图像增强复杂图形…

【北京迅为】《iTOP-3588开发板网络环境配置手册》第3章 开发板直连电脑配置方法(不能上外网)

RK3588是一款低功耗、高性能的处理器&#xff0c;适用于基于arm的PC和Edge计算设备、个人移动互联网设备等数字多媒体应用&#xff0c;RK3588支持8K视频编解码&#xff0c;内置GPU可以完全兼容OpenGLES 1.1、2.0和3.2。RK3588引入了新一代完全基于硬件的最大4800万像素ISP&…

python_读取txt文件绘制多条曲线III

先把文件中指定列&#xff0c;去重提取出来&#xff0c;然后根据指定列去匹配数据&#xff0c;最后完成多条数据的绘图&#xff1b; import matplotlib.pyplot as plt import re from datetime import datetime from pylab import mplmpl.rcParams["font.sans-serif"…

Rust入门:GCC或VS2019中的c或c++程序如何调用Rust静态库

首先创建一个rust的库&#xff0c;这里我假设命名为c-to-rust1 cargo new --lib c-to-rust1 其中&#xff0c;src/lib.rs的内容如下&#xff0c; #[no_mangle] pub extern "C" fn get_string() -> *const u8 {b"Hello C World\0".as_ptr() }注解 …

解决微信好友添加频繁问题

今天我们来聊一聊微信好友添加频繁的问题。在日常使用中&#xff0c;有时候我们会遇到一些添加好友受限的情况&#xff0c;那么究竟是什么原因导致了这一问题呢&#xff1f;接下来&#xff0c;让我们逐一来看一看。 1. 添加好友的频率太高 首先&#xff0c;如果我们在短时间内…

中小企业如何降低网络攻击和数据泄露的风险?

德迅云安全收集了Bleeping Computer 网站消息&#xff0c; Arctic Wolf 表示 Akira 勒索软件组织的攻击目标瞄准了中小型企业&#xff0c;自 2023 年 3 月以来&#xff0c;该团伙成功入侵了多家组织&#xff0c;索要的赎金从 20 万美元到 400 多万美元不等&#xff0c;如果受害…

猴子吃桃:玩转二分思维

前言 在计算机编程领域&#xff0c;算法是解决问题的有效途径之一。而算法题则是考察程序员解决问题能力的重要手段之一。在这篇文章中&#xff0c;我们将通过一个经典的算法题目——猴子吃桃&#xff0c;来探讨算法思维的重要性以及解题的方法。 题目描述 孙悟空喜欢吃蟠桃…