【C++教程从0到1入门编程】第八篇:STL中string类的模拟实现

news2024/11/23 11:29:21

一、 string类的模拟实现

下面是一个列子
#include <iostream>
namespace y
{
	class string
	{
	public: 
		//string()            //无参构造函数
		//	:_str(nullptr)
		//{}

		//string(char* str)  //有参构造函数
		//	:_str(str)
		//{}

		string()
			:_str(new char[1])
		{
			_str[0] = '\0';
		}
		string(char* str)   //构造函数在堆上开辟一段strlen+1的空间+1是c_str
			:_str(new char[strlen(str)+1])
		{
			strcpy(_str, str); //strcpy会拷贝\0过去
		}

		//string(char* str="")   //构造函数在堆上开辟一段strlen+1的空间+1是c_str
		//	:_str(new char[strlen(str) + 1])
		//{
		//	strcpy(_str, str); //strcpy会拷贝\0过去
		//}
		size_t size()
		{
			return strlen(_str);
		}
		bool empty()
		{
			return _str == nullptr;
		}
		char& operator[](size_t i)  //用引用返回不仅可以读字符,还可以修改字符
		{
			return _str[i];
		}

		~string()          //析构函数
		{
			if (_str)
			{
				delete[] _str;
				_str = nullptr;
			}
		}
				const char* c_str() //返回C的格式字符串
		{
			return _str;
		}

	private:
		char* _str;
	};
	void TestString1()
	{
		string s1("hello");
		string s2;
		for (size_t i = 0; i < s1.size(); i++)
		{
			s1[i] += 1;
			std::cout << s1[i] << " ";
		}
		std::cout << std::endl;
		for (size_t i = 0; i < s2.size(); i++)
		{
			s2[i] += 1;
			std::cout << s2[i] << " ";
		}
		std::cout << std::endl;
	}

	void TestString2()
	{
		string s1("hello");
		string s2(s1);
		std::cout << s1.c_str() << std::endl;
		std::cout << s2.c_str() << std::endl;

		string s3("world");
		s1 = s3; //调试点这里,析构也是两次
		std::cout << s1.c_str() << std::endl;
		std::cout << s3.c_str() << std::endl;
	}
}

这段代码中,存在一定的问题,当我们调试时会发现!

默认的拷贝的构造函数出现的问题!

默认的赋值运算符重载出现的问题。!

        上述string类没有显式定义其拷贝构造函数与赋值运算符重载,此时编译器会合成默认的,当用s1构造s2时,编译器会调用默认的拷贝构造。最终导致的问题是,s1、s2共用同一块内存空间,在释放时同一块空间被释放多次而引起程序崩溃,这种拷贝方式,称为浅拷贝。

此时引出了概念浅拷贝,

浅拷贝:也称位拷贝,编译器只是将对象中的值拷贝过来。如果对象中管理资源,最后就会导致多个对象共享同一份资源,当一个对象销毁时就会将该资源释放掉,而此时另一些对象不知道该资源已经被释放,以为还有效,所以 当继续对资源进项操作时,就会发生发生了访问违规。要解决浅拷贝问题,C++中引入了深拷贝。

那么深拷贝呢?

二、string类的模拟实现

头文件代码:

#include<iostream>
#include<assert.h>
namespace yyw
{
	class string
	{
	public:
		typedef char* iterator;
	public:
		string(const char* str = "")        //构造函数
		{
			_size = strlen(str);
			_capacity = _size;
			_str = new char[_capacity + 1];
			strcpy(_str, str);
		}

		//string s2(s1)
		string(const string& s)
			:_str(nullptr)
			, _size(0)
			, _capacity(0)
		{
			string tmp(s._str);
			this->swap(tmp);
		}

		//s1=s3
		string& operator=(const string& s) //(string s)
		{
			//this->swap(s);
			string tmp(s._str);
			this->swap(tmp);
			return *this;
		}

		void swap(string& s)
		{
			std::swap(_str, s._str);
			std::swap(_size, s._size);
			std::swap(_capacity, s._capacity);
		}
		~string()                         //析构函数
		{
			if (_str)
			{
				delete[] _str;
				_size = _capacity = 0;
				_str = nullptr;
			}
		}

		//string(const string& s)   //拷贝构造

		void push_back(char ch)           //增加字符
		{
			if (_size == _capacity)      //增加空间
			{
				size_t newcapacity = _capacity == 0 ? 6 : _capacity * 2;
				char* tmp = new char[newcapacity + 1];
				strcpy(tmp, _str);
				delete[] _str;
				_str = tmp;
				_capacity = newcapacity;
			}
			_str[_size] = ch;
			_size++;
			_str[_size] = '\0';    //_size的位置设置为\0
		}
		void append(char* str)     //追加字符串
		{
			size_t len = strlen(str);
			if (_size + len > _capacity)   //注意不能按2倍去增容
			{
				size_t newcapacity = _size + len;
				char* tmp = new char[newcapacity + 1];
				strcpy(tmp, _str);
				delete[] _str;
				_str = tmp;
				_capacity = newcapacity;
			}
			strcpy(_str + _size, str);
			_size += len;
			//_str[_size + len] = '\0'; strcpy已经把\0拷贝过去了
		}

		//s1+='ch' s1就是this
		string& operator+=(char ch)
		{
			this->push_back(ch);
			return *this;
		}
		//s1+="ch" s1就是this
		string& operator+=(char* ch)
		{
			this->append(ch);
			return *this;
		}

		string& insert(size_t pos, char ch)       //在pos位置插入字符
		{
			assert(pos <= _size);
			if (_size == _capacity)
			{
				size_t newcapacity = _capacity == 0 ? 4 : _capacity * 2;
				char* tmp = new char[newcapacity + 1];
				strcpy(tmp, _str);
				delete[] _str;
				_str = tmp;

				//delete[] _str;  //注意这里不能写反了
				_capacity = newcapacity;
			}
			size_t end = _size;
			while (end >= (int)pos)
			{
				_str[end + 1] = _str[end];
				end--;
			}
			_str[pos] = ch;
			_size++;
			return *this;
		}
		string& insert(size_t pos, char* str)     //在pos位置插入字符串
		{
			assert(pos < _size);
			size_t len = strlen(str);
			if (_size + len > _capacity)
			{
				size_t newcapacity = _size + len;
				char* tmp = new char[newcapacity + 1];
				strcpy(tmp, _str);
				delete[] _str;
				_str = tmp;
				_capacity = newcapacity;
			}
			size_t end = _size;
			while (end >= (int)pos)
			{
				_str[end + len] = _str[end];   //这里是挪len个不是1个
				end--;
			}

			//strncpy也可以
			//strncpy(_str + pos, str, len);
			//strcpy会把\0拷贝过去,不可以

			//写个循环从pos依次往后放
			for (size_t i = 0; i < len; i++)
			{
				_str[pos] = str[i];
				pos++;
			}

			_size += len;
			//返回自己
			return *this;
		}

		string& erase(size_t pos, size_t len = npos)
		{
			assert(pos < _size);
			if (len >= _size - pos)
			{
				_str[pos] = '\0';
				_size = pos;
			}
			else
			{
				size_t i = pos + len;
				while (i <= _size)
				{
					_str[i - len] = _str[i];
					i++;
				}
				_size = _size - len;
			}
			return *this;
		}

		size_t find(char ch, size_t pos)     //在pos位置查找字符
		{
			for (size_t i = pos; i < _size; i++)
			{
				if (_str[i] == ch)
				{
					return i;
				}
			}
			return npos;
		}
		size_t find(char* str, size_t pos)   //在pos位置查找字符串
		{
			char* p = strstr(_str, str);
			if (p == NULL)
			{
				return npos;
			}
			else
			{
				return (p - str);
			}
		}

		void resize(size_t newsize, char ch = '\0')  //填充字符ch
		{
			if (newsize < _size)   //第三种情况
			{
				_str[newsize] = '\0';
				_size = newsize;
			}
			else
			{
				if (newsize > _capacity)   //增加容量
				{
					size_t newcapacity = newsize;
					char* tmp = new char[newcapacity];
					strcpy(tmp, _str);
					delete[]_str;
					_str = tmp;
					_capacity = newcapacity;
				}
				for (size_t i = _size; i < newsize; i++)  //把字符ch往_size后面填
				{
					_str[i] = ch;
				}
				_size = newsize;
				_str[_size] = '\0';
			}
		}

		iterator begin()                //iterator迭代器的原理
		{
			return _str;
		}
		iterator end()
		{
			return (_str + _size);
		}

		const char* c_str()
		{
			return _str;
		}

		char& operator[](size_t i)   //重载[]可以遍历输出字符串,加&是既可以读,也可以写
		{
			assert(i < _size);
			return _str[i];
		}
		const char& operator[](size_t i) const
		{
			assert(i < _size);
			return _str[i];
		}

		//s1<s s1就是this
		bool operator<(const string& s)
		{
			int ret = strcmp(_str, s._str);
			return ret < 0;
		}
		bool operator<=(const string& s)
		{
			return *this < s || *this == s;
		}
		bool operator>(const string& s)
		{
			return !(*this <= s);
		}
		bool operator>=(const string& s)
		{
			return !(*this < s);
		}
		bool operator==(const string& s)
		{
			int ret = strcmp(_str, s._str);
			return ret == 0;
		}
		bool operator!=(const string& s)
		{
			return !(*this == s);
		}

		bool empty()
		{
			return _size == 0;
		}
		size_t size()                   //求字符串的大小
		{
			return _size;
		}
		size_t capacity()              //求字符串的容量
		{
			return _capacity;
		}

	private:
		char* _str;
		size_t _size;              //已经有多少个有效字符个数
		size_t _capacity;          //能存多少个有效字符个数 \0不是有效字符,\0是标识结束的字符

		static size_t npos;       //insert用的位置
	};
	size_t string::npos = -1;

	std::ostream& operator<<(std::ostream& _out, string& s) 	//重载输出运算符<<
	{
		for (size_t i = 0; i < s.size(); i++)
		{
			std::cout << s[i];
		}
		return _out;
	}
	std::istream& operator>>(std::istream& _in, string& s)     //重载输入运算符<<
	{
		//for (size_t i = 0; i < s.size(); i++)  错误写法
		//{
		//	std::cin >> s[i];
		//}
		while (1)
		{
			char ch;
			ch = _in.get();
			if (ch == ' ' || ch == '\n')
			{
				break;
			}
			else
			{
				s += ch;
			}
		}
		return _in;
	}
	//std::istream& operator>>(std::istream& _in, string &s)     //重载输入运算符<<
	//{
	//	//for (size_t i = 0; i < s.size(); i++)  错误写法
	//	//{
	//	//	std::cin >> s[i];
	//	//}
	//	while (1)
	//	{
	//		char ch;
	//		ch = _in.get();
	//		if ( ch == '\n')
	//		{
	//			break;
	//		}
	//		else
	//		{
	//			s += ch;
	//		}
	//	}
	//	return _in;
	//}
	void TestString1()
	{
		string s1;
		string s2("bit");
		for (size_t i = 0; i < s1.size(); i++)
		{
			std::cout << s1[i] << " ";
		}
		std::cout << std::endl;
		for (size_t i = 0; i < s2.size(); i++)
		{
			std::cout << s2[i] << " ";
		}
		std::cout << std::endl;
	}
	void TestString2()
	{
		string s1;
		string s2("bit");
		std::cout << s1 << std::endl;
		std::cout << s2 << std::endl;

		s1.push_back('b');
		std::cout << s1 << std::endl;

		s2.push_back(' ');
		std::cout << s2 << std::endl;

	

		s1 += 'a';
		std::cout << s1 << std::endl;


		s2.insert(1, 'a');
		std::cout << s2 << std::endl;

	

		std::cout << s2.size() << std::endl;
		std::cout << s2.capacity() << std::endl;
	}
	void TestString3()
	{
		string s1;
		std::cin >> s1;
		std::cout << s1 << std::endl;
	}
}

测试代码:

#define _CRT_SECURE_NO_WARNINGS   1
#include"string.h"
int main()
{
	yyw::TestString1();

	yyw::string s3("hello");
	yyw::string::iterator it = s3.begin();
	while (it != s3.end())
	{
		std::cout << *it << " ";
		it++;
	}
	std::cout << std::endl;
	for (auto e : s3)
	{
		std::cout << e << " ";
	}
	std::cout << std::endl;

	yyw::TestString2();

	yyw::TestString3();
	return 0;
}

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

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

相关文章

性能卓越,服务周到:亚信安慧AntDB的双重优势

亚信安慧AntDB数据库是一种解决实时流数据处理中数据容灾和一致性问题的创新性解决方案。它不仅能够在处理流数据时确保数据的完整性和准确性&#xff0c;还能精确判断数据故障点&#xff0c;从而避免可能的数据损失和错误。AntDB数据库采用先进的技术和算法&#xff0c;能够实…

道路数据下载

下载链接&#xff1a; Geofabrik 下载服务器

Android 配置打包签名信息的两种方法

目录结构如下&#xff1a; 有2种方式&#xff1a; 第一种&#xff0c;直接配置&#xff1a; signingConfigs { debug { storeFile file("app/keystore.properties") storePassword "111111" keyAlias "key" keyPassword "111111" } …

漏洞复现-万户ezOFFICE系列

万户 安全情报,万户ezOFFICE协同管理平台SendFileCheckTemplateEdit-SQL注入漏洞万户OA DocumentEdit_unite.jsp 存在sql注入万户协同办公平台 ezoffice 未授权访问RCExml代码注入 XXE🔪freemarkerService XXE🔪GeneralWeb-xxeofficeserverservlet + attachmentserver RCE…

前端实现 查询包含分页 以及封装table表格 上手即用!

表格组件是 element plus 中的table 又经过了一层封装 封装的table代码在最底下 <div class"box2"><el-radio-group v-model"radio" style"margin-bottom: 16px"><el-radio-button label"1">类型1</el-radio…

2024/3/11打卡分巧克力(第8届蓝桥杯省赛)——二分

题目 儿童节那天有 K 位小朋友到小明家做客。 小明拿出了珍藏的巧克力招待小朋友们。 小明一共有 N 块巧克力&#xff0c;其中第 i 块是 HiWi 的方格组成的长方形。 为了公平起见&#xff0c;小明需要从这 N 块巧克力中切出 K 块巧克力分给小朋友们。 切出的巧克力需要满足&…

亚马逊热卖SN-48B压线钳 2.8/4.8/6.3 300PCS插簧端子压接工具

品牌&#xff1a;SANJIANG 型号&#xff1a;SN-48B(橙色手柄)300PCS 颜色分类&#xff1a;SN-48B(橙色手柄),SN-48B(红蓝双色手柄),300PCS插簧端子,SN-48B(橙色手柄)300PCS,SN-48B(红蓝双色手柄)300PCS SN-48B 300PCS 0.5mm的电线尺寸应与0.5mm的连接器匹配&#xff0c;然后…

软考高级:统一过程阶段和工作流概念和例题

作者&#xff1a;明明如月学长&#xff0c; CSDN 博客专家&#xff0c;大厂高级 Java 工程师&#xff0c;《性能优化方法论》作者、《解锁大厂思维&#xff1a;剖析《阿里巴巴Java开发手册》》、《再学经典&#xff1a;《Effective Java》独家解析》专栏作者。 热门文章推荐&am…

使用Python的zipfile模块巧解Word批量生成问题

目录 一、zipfile模块简介 二、Word文档的结构 三、使用zipfile模块生成Word文档 创建ZIP文件 添加文件到ZIP中 生成Word文档内容 批量生成Word文档 四、案例与代码实现 五、总结 在日常办公和自动化任务中&#xff0c;批量生成Word文档是一个常见的需求。然而&am…

算法练习-牛牛的快递(思路+流程图+代码)

难度参考 难度&#xff1a;简单 分类&#xff1a;分支控制 难度与分类参考题目来源网站。 题目 链接&#xff1a;牛牛的快递__牛客网 (nowcoder.com) 来源&#xff1a;牛牛的快递__牛客网 (nowcoder.com) 牛牛正在寄快递&#xff0c;他了解到快递在 1kg 以内的按起步价…

vue上传文件夹+上传文件vue-simple-uploader

vue上传文件夹上传文件vue-simple-uploader 使用插件 在main.js引入 import uploader from vue-simple-uploaderVue.use(uploader);<el-dialog title"上传文件" :visible.sync"dialogFileVisible" width"50%" :before-close"handleFil…

《安富莱嵌入式周报》第334期:开源SEM扫描电子显微镜,自制编辑器并搭建嵌入式环境,免费产品设计审查服务,实用电子技术入门,USB资料汇总,UDS统一诊断

周报汇总地址&#xff1a;嵌入式周报 - uCOS & uCGUI & emWin & embOS & TouchGFX & ThreadX - 硬汉嵌入式论坛 - Powered by Discuz! 视频版&#xff1a; https://www.bilibili.com/video/BV1om411Z714/ 《安富莱嵌入式周报》第334期&#xff1a;开源SEM…

Primavera P6 – 从资源池中分配专属项目资源

前言 在使用P6的资源分配功能中&#xff0c;尝试使用 Primavera P6 的搜索功能来解决此问题仍然会导致每次尝试向活动添加资源时都会搜索单个资源。 这很费力&#xff0c;并不能节省太多的时间和精力。 这个简单、省时的技巧为使用 Primavera P6 的项目管理从业者提供了解决此…

前端之用HTML弄一个古诗词

将进酒 <!DOCTYPE html> <html lang"en"> <head><meta charset"UTF-8"><title>将进酒</title><h1><big>将进酒</big> 君不见黄河之水天上来</h1><table><tr><td ><img…

记一次特殊的渗透经历

起因 搞安全的小伙伴们应该知道&#xff0c;干我们这行老是会碰到一些奇奇怪怪的问题和需求&#xff0c;比如上次&#xff0c;某客户领导说让我给他找个会渗透的小伙子来&#xff0c;有个比较棘手的业务。我一听&#xff0c;心想&#xff1a;好嘛&#xff0c;这私活不就来了嘛…

python语音处理常见开源库介绍

在 Python 中&#xff0c;有几个著名的开源语音处理库&#xff0c;它们提供了丰富的工具和功能&#xff0c;用于处理和分析语音数据。以下是几个流行的 Python 语音处理库及其安装方法、特点和优势&#xff1a; 1. librosa 安装 pip install librosa特点 - **音频处理*…

【图像超分】论文精读:efficient sub-pixel convolutional neural network (ESPCN)

文章目录 前言Abstract1.Introduction1.1. Related Work1.2. Motivations and contributions 2. Method2.1. Deconvolution layer2.2. Efficient sub-pixel convolution layer 3. Experiments3.1. Datasets3.2. Implementation details3.3. Image super-resolution results3.3.…

羊大师揭秘,羊奶养生秘籍大公开

羊大师揭秘&#xff0c;羊奶养生秘籍大公开 羊奶&#xff0c;这个古老的营养佳品&#xff0c;近年来因其丰富的营养价值和独特的养生功效而受到越来越多人的青睐。今天&#xff0c;就让小编羊大师一起揭开羊奶养生的神秘面纱&#xff0c;让你每天都充满活力&#xff01; 一、…

elementui el-table表格自动循环滚动【超详细图解】

效果如图 1. 当表格内容超出时&#xff0c;自动滚动&#xff0c;滚动到最后一条之后在从头滚动。 2. 鼠标移入表格中&#xff0c;停止滚动&#xff1b;移出后&#xff0c;继续滚动。 直接贴代码 <template><div><div class"app-container"><e…

数据持久化(Json)

平常写代码的时候就应该习惯性的加【SerializeField】System.Serializable 如果是公有变量可以不加 泛型就要用<> JSon语法 之后Lua热更新的学习也会使用Sublime Text Excel转Json https://www.bejson.com/json/col2json 记得检查一下&#xff0c;得到的Json格式是否…