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

news2024/11/15 1:34:18

一、list的模拟实现

 
#include<iostream>
#include<assert.h>
#pragma once
namespace jyr
{
	template<class T>
	struct _list_node
	{
		_list_node<T>* _next;
		_list_node<T>* _prev;
		T _data;

		_list_node(const T& val = T())
			:_next(nullptr)
			, _prev(nullptr)
			, _data(val)
		{}
	};

	template<class T,class Ref,class Ptr>
	struct _list_iterator
	{
		typedef _list_node<T> Node;
		typedef _list_iterator<T, Ref, Ptr> Self;

		Node* _node;

		_list_iterator(Node* node)
			:_node(node)
		{}

		//*it,返回_data
		Ref operator*()
		{
			return _node->_data;
		}
		//it->date
		Ptr operator->()
		{
			return &_node->_data;
		}
		//it++,返回还是一个迭代器,前置加加
		Self& operator++()
		{
			_node = _node->_next;
			return *this;
		}
		//前置--
		Self& operator--()
		{
			_node = _node->_prev;
			return *this;
		}
		//后置加加
		Self operator++(int)
		{
			Self tmp(*this);  //创建临时变量返回,后置加加,加加之前不变
			//_list_iterator<T>tmp = *this;
			_node = _node->_next;
			//++(*this)
			return tmp;
		}
		//后置减减
		Self operator--(int)
		{
			Self tmp(*this);
			_node = _node->_prev;
			return tmp;
		}

		//==
		bool operator ==(const Self& it)
		{
			return _node = it._node;
		}
		//it!=end()
		bool operator!=(const Self& it)
		{
			return _node != it._node;
		}
	};

	template<class T>
	class list
	{
	public:
		typedef _list_node<T> Node;
	public:
		typedef _list_iterator<T,T&,T*> iterator;
		typedef _list_iterator<T,const T&,const T*> const_iterator;
		iterator begin()            //第一个数据的迭代器,节点的指针构建迭代器
		{
			return iterator(_head->_next);
		}
		iterator end()     
		{
			return iterator(_head);
		}

		const_iterator begin() const
		{
			return const_iterator(_head->_next);
		}
		const_iterator end() const
		{
			return const_iterator(_head);
		}


		//带头双向循环链表
		list()                      //list的构造
		{
			_head = new Node;
			_head->_next = _head;
			_head->_prev = _head;
		} 

		//l2(l1)
		list(const list<T>& l1)            //拷贝构造
		{
			//链表的最初状态
			_head = new Node;
			_head->_next = _head;
			_head->_prev = _head;

			//const_iterator it = l1.begin();   //构造一个const迭代器尾插到新的迭代器中
			//while (it != l1.end())
			//{
			//	this->push_back(*it);
			//	it++;
			//}

			for (auto e : l1)
			{
				push_back(e);
			}
		}

		list<T>& operator=(const list<T>& l1)
		{
			if (this != &l1)
			{
				clear();
				for (auto e : l1)
				{
					push_back(e);
				}
			}
			return *this;
		}
		
		//现代版的拷贝构造
		//list<T>& operator=(list<T> l1)
		//{
		//	swap(_head, l1._head);
		//	return *this;
		//}
		void clear()
		{
			iterator it = begin();
			while (it != end())
			{
				erase(it++);         //erase要自己单独实现出来
			}
		}
		~list()                      //析构函数
		{
			clear();                 //clear没有删除头结点
			delete _head;
			_head = nullptr;
		}

		size_t size()  const
		{

		}
		bool empty() const
		{
			return _head->_next == _head->_prev;
		}
		//T x  如果T类型是vector或者是string就造成了深拷贝,那么就得传引用,传引用不改变x就加const
		void push_back(const T& x)  
		{
			//Node* tail = _head->_prev;
			//Node* newnode = new Node(x);

			//tail->_next = newnode;
			//newnode->_prev = tail;
			//newnode->_next = _head;
			//_head->_prev = newnode;
			insert(end(), x);
		}
		void push_front(const T& x)
		{
			insert(begin(), x);
		}
		void insert(iterator pos, const T& x)    //在pos这个迭代器的前面插入一个节点
		{
			Node* newnode = new Node(x);
			//pos 是个迭代器,而迭代器又是节点的指针,所以可以通过迭代器找到这个节点
			Node* cur = pos._node;
			Node* prev = cur->_prev;
			
			prev->_next = newnode;
			newnode->_prev = prev;
			newnode->_next = cur;
			cur->_prev = newnode;
			//return iterator(newnode);
		}

		void pop_back()
		{
			erase(--end());
		}
		void pop_front()
		{
			erase(begin());//end是最后一个有效数据的下一个位置,所以end先减减,删除end减减的位置
		}
		void erase(iterator pos)
		{
			//pos是一个迭代器,节点的指针,可以找到这个节点
			//找到要删除的节点del
			assert(pos != end());//头结点不能删除
			Node* del = pos._node;
			Node* next = del->_next;
			//假设有1 2 3节点,要删除pos位置2节点,
			//先2节点的前一个节点1节点的下一个节点指向2指向的3节点
			//然后要把3和1链接起来,把3的前一个节点指向1,
			//2的下一个节点3节点的前一个节点指向2的前一个节点
			//删除2
			del->_prev->_next = del->_next; 
			del->_next->_prev = del->_prev;
			delete del;
			//return iterator(next);//返回节点的下一个位置
		}
	private:
		Node* _head;
	};
	void testlist1()
	{
		list<int> lt1;
		lt1.push_back(1);
		lt1.push_back(2);
		lt1.push_back(10);
		lt1.push_back(20);
		lt1.pop_back();
		list<int>::iterator it = lt1.begin();
		while (it != lt1.end())
		{
			std::cout << *it << " ";
			++it;
		}
		std::cout << std::endl;
	}
	struct Date
	{
		int _year = 0;
		int _month = 1;
		int _day = 1;
	};

	void print_list(const list<int>& lt1)
	{
		list<int>::const_iterator it = lt1.begin();
		while (it != lt1.end())
		{
			std::cout << *it << " ";
			it++;
		}
		std::cout << std::endl;
	}
	void testlist2()
	{
		list<Date> lt1;
		lt1.push_back(Date());
		lt1.push_back(Date());
		list<Date>::iterator it = lt1.begin();
		while (it != lt1.end())
		{
			/*std::cout << *it << " ";*/
			//it->Date->_year  
			std::cout << it->_year << ":" << it->_month << ":" << it->_day << std::endl;
			std::cout << (*it)._year << ":" << (*it)._month << ":" << (*it)._day << std::endl;
			++it;
		}
		//print_list(lt1);
	}
	void testlist3()
	{
		list<int> l1;
		l1.push_back(1);
		l1.push_back(2);
		l1.push_back(3);
		l1.push_back(4);
		
		list<int>l2(l1); //拷贝构造,用l1拷贝构造l2
		for (auto e : l1)
		{
			std::cout << e << " ";
		}
		std::cout << std::endl;
		for (auto e : l2)
		{
			std::cout << e << " ";
		}
		std::cout << std::endl;
	}
}

二、list与vector之间的对比

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

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

相关文章

西圣VS飞利浦VS倍思开放式耳机哪款值得入手?爆款产品无广大测评

在当今这个无线耳机盛行的时代&#xff0c;开放式耳机以其独特的佩戴舒适度和出色的音质体验&#xff0c;逐渐赢得了消费者的青睐&#xff0c;西圣、飞利浦、倍思作为市场上的知名品牌&#xff0c;都推出了各具特色的开放式耳机产品&#xff0c;许多消费者也因此不知道哪款更加…

Mybatis中条件传入多个参数时,如何处理

entity&#xff1a; Data AllArgsConstructor NoArgsConstructor public class User {private Integer id;private String username;private String password;private String phone;private String address; }dao接口&#xff1a; public interface UserDAO {List<User>…

AWS EC2设置root登录

在使用亚马逊的服务器时&#xff0c;官方默认是使用密钥登录&#xff0c;跟国内的云服务器差别较大&#xff0c;本文记录下&#xff0c;如何开放AWS EC2的root登录。 一、通过网页版或者XShell登录服务器 这里略过 二、设置root账户密码 # 切换 root sudo -i # 设置或修改密…

常见端口及对应服务

6379 redis未授权 7001、7002 weblogic默认弱口令、反序列化 9200、9300 elasticsearch 参考乌云&#xff1a;多玩某服务器ElasticSearch命令执行漏洞 11211 memcache未授权访问 50000 SAP命令执行 50070、50030 hadoop默认端口未授权访问

1.Git快速入门

文章目录 Git快速入门1.Git概述2.SCM概述3.Git安装3.1 软件下载3.2 软件安装3.3 软件测试 Git快速入门 1.Git概述 Git是一个免费的&#xff0c;开源的分布式版本控制系统&#xff0c;可以快速高效地处理从小型到大型的各种项目&#xff0c;Git易于学习&#xff0c;占用空间小&…

A Novel Negative Sample Generating Method for KnowledgeGraph Embedding

摘要 为了有效地提取知识图中的关系和原因&#xff0c;将实体和关系编码到一个连续的低维语义空间中。在负样本生成阶段&#xff0c;大多数知识图嵌入方法更注重替换头或尾实体以提高训练效率&#xff0c;很少替换关系。这些负样本生成方法对关系预测的贡献不大。本文提出了一…

dubbo再回首

dubbo 服务框架&#xff0c; 远程通讯&#xff0c;集群容错&#xff0c;自动发现 spi&#xff1a; 接口全限定名找到指定目录下对应的文件&#xff0c;获取具体的实现类然后加载 增加缓存存储实例&#xff0c;对ioc api对支持 流程&#xff1a; 之前的博客实战总结&#xff1…

Linux之文件管理与重定向

文件的管理 最开始说到过, 一个进程是可以打开多个文件的并且可以对这些文件做出不同的操作, 也就是说加载到内存中的文件可能存在多个. 操作系统要不要管理这些打开的文件呢? 当我们在程序里面打开多个文件时, 操作系统肯定是得对这些文件进行管理的, 而管理的本质就是对数…

百度百科词条创建流程是怎样的?

百度百科词条&#xff0c;作为当今权威的知识分享平台之一&#xff0c;越来越多的个人和企业希望自己在百度百科上拥有独立的词条。如何创建一个高质量的百度百科词条呢&#xff1f;本文伯乐网络传媒将为您详细解析百度百科词条的创建流程及编辑技巧&#xff0c;并提供一些常见…

“数字化”持续走热,VR全景助力制造业上“云”

制造业要升级&#xff0c;数字化改造是重要途径。 早年间&#xff0c;由于对数字化的认识不足&#xff0c;一些企业明明有数字化改造需求&#xff0c;却不敢、不愿、不会上“云”。直到此次两会期间&#xff0c;2024年政府工作报告再次提出推动制造业数字化转型&#xff0c;越…

Learn OpenGL 25 法线贴图

为什么要引入法线贴图 我们的场景中已经充满了多边形物体&#xff0c;其中每个都可能由成百上千平坦的三角形组成。我们以向三角形上附加纹理的方式来增加额外细节&#xff0c;提升真实感&#xff0c;隐藏多边形几何体是由无数三角形组成的事实。纹理确有助益&#xff0c;然而…

SHA加密

天行健&#xff0c;君子以自强不息&#xff1b;地势坤&#xff0c;君子以厚德载物。 每个人都有惰性&#xff0c;但不断学习是好好生活的根本&#xff0c;共勉&#xff01; 文章均为学习整理笔记&#xff0c;分享记录为主&#xff0c;如有错误请指正&#xff0c;共同学习进步。…

软件设计师19--文件管理

软件设计师19--文件管理 考点1&#xff1a;文件相关概念例题&#xff1a; 考点2&#xff1a;树形目录结构&#xff08;绝对路径与相对路径&#xff09;例题&#xff1a; 考点3&#xff1a;位示图例题&#xff1a; 考点4&#xff1a;索引文件索引文件结构例题&#xff1a; 考点1…

【Java并发知识总结 | 第五篇】深入理解Synchronized底层原理(Monitor对象、Synchronized锁优化)

文章目录 5.深入理解Synchronized底层原理&#xff08;Monitor对象、Synchronized锁优化&#xff09;5.1Synchronized的特性5.1.1原子性5.1.2可见性5.1.3有序性5.1.4可重入性 5.2Synchronized的用法5.3Synchronized的两种同步方式4.3.1同步代码块5.3.2同步方法 5.4Synchronized…

第九届蓝桥杯大赛个人赛省赛(软件类)真题C 语言 A 组-分数

solution1 直观上的分数处理 #include <iostream> using namespace std; int main() {printf("1048575/524288");return 0; }#include<stdio.h> #include<math.h> typedef long long ll; struct fraction{ll up, down; }; ll gcd(ll a, ll b){if…

后端常见面经之MySQL

MySQL字段类型 数值类型 整型经常被用到&#xff0c;比如 tinyint、int、bigint 。默认是有符号的&#xff0c;若只需存储无符号值&#xff0c;可增加 unsigned 属性。 int(M)中的 M 代表最大显示宽度&#xff0c;并不是说 int(1) 就不能存储数值10了&#xff0c;不管设定了显…

openssl AF_ALG引擎使用

cmd AF_ALG是Linux提供的一种虚拟接口&#xff0c;用于访问内核中的加密算法。在Linux中&#xff0c;可以使用AF_ALG接口配合加密算法框架&#xff08;Crypto API&#xff09;来进行加密操作。 以下是一个使用AF_ALG和openssl进行加密操作的例子&#xff1a; # 加密 openssl…

SpringBoot—@ConditionalOnBean与@ConditionalOnClass

一、ConditionalOnBean概念 需求场景 比如下面一种场景&#xff0c;我在实例化People对象的时候&#xff0c;需要注入一个City对象。这个时候问题来了&#xff0c;如果city没有实例化&#xff0c;那么下面就会报空指针或者直接报错。 所以这里需求很简单&#xff0c;就是当前c…

服务运营|香港大学雷骁:收益管理中价格歧视的公平性

编者按&#xff1a; INFORMS George B. Dantzig Dissertation Award 用于表彰运筹学和管理科学领域中具有创新性和实用性的最佳毕业设计。香港大学助理教授雷骁题为“Revenue Management in Video Games and With Fairness” 是这一奖项2023年度的提名者之一。 这篇毕业设计重…

利用AI技术预测未被充分监测的流域中的极端洪水事件笔记

利用人工智能&#xff08;AI&#xff09;技术预测未被充分监测的流域&#xff08;ungauged watersheds&#xff09;中的极端洪水事件 文章目录 利用人工智能&#xff08;AI&#xff09;技术预测未被充分监测的流域&#xff08;ungauged watersheds&#xff09;中的极端洪水事件…