【C++】STL中List的详细实现解析

文章目录

  • 前言
  • list 代码实现
  • 1. 构造函数和析构函数
    • 1.1 构造函数
    • 1.2析构函数
  • 2.`operator=`的重载 和 拷贝构造函数
    • 2.1 拷贝构造
    • 2.2 operator=的重载
  • 3. 迭代器的实现
    • 3.1 普通迭代器
    • 3.2 `const`迭代器
  • 4. 插入和删除
  • 5. 测试代码
  • 总结

前言

在 C++ STL(标准模板库)中,List 是一个带头双向链表,可以存储多个元素并且支持动态调整大小,适合频繁插入和删除操作;而 Vector 是一个动态数组,元素在内存中是连续存储的,适合需要快速随机访问的场景。List 提供了添加、删除、查找等操作,而 Vector 除了这些基本操作外,还提供了按索引访问元素、在指定位置插入元素等功能,进而就可以很好的支持排序算法,二分查找,堆算法等,它的缺点是扩容要付出一定的代价,而且除了尾上的插入和删除外其他位置的插入和删除都不快(因为要挪动数据)。

list 代码实现

#include <iostream>
#include <assert.h>
using namespace std;namespace hd 
{template<class T> struct ListNode{ListNode<T>* _next;ListNode<T>* _prev;T _data;ListNode(const T& x = T()) // ListNode的构造函数:_next(nullptr),_prev(nullptr),_data(x){}};template<class T, class Ref, class Ptr>  struct _list_iterator	// 链表迭代器{typedef ListNode<T> Node;typedef _list_iterator<T, Ref, Ptr> self;Node* _node;	//存放一个节点的指针变量_list_iterator(Node* node) :_node(node){}//++itself& operator++() {_node = _node->_next;return *this;}//it++self operator++(int) {self tmp(*this);_node = _node->_next;return tmp;}//--itself& operator--() {_node = _node->_prev;return *this;}//it--self operator--(int) {self tmp(*this);_node = _node->_prev;return tmp;}// 模仿指针的 *Ref operator*() {return _node->_data;}// 模仿指针的 ->Ptr operator->() {return &_node->_data;}bool operator != (const self& s) {return _node != s._node;}bool operator == (const self& s) {return _node == s._node;}  };template<class T>class list	// 带头双向循环链表{typedef ListNode<T> Node;	// 节点的重定义public:typedef _list_iterator<T, T&, T*> iterator;	// 迭代器的重定义typedef _list_iterator<T, const T&, const T*> const_iterator; // const迭代器的重定义//迭代器相关iterator begin() {return _head->_next;}iterator end() {return _head;}const_iterator begin() const {return _head->_next;}const_iterator end() const {return _head;}void empty_init() {	// 初始化链表_head = new Node;_head->_next = _head;_head->_prev = _head;}list() {	//构造函数empty_init();}void clear() {	//清除链表元素iterator it = begin();while (it != end()) {it = erase(it);}}~list() {	//析构函数clear();delete _head;_head = nullptr;}list(const list<T>& It) {	// 拷贝构造empty_init();for (const auto& e : It) {push_back(e);}}void swap(list<T> tmp) {std::swap(_head, tmp._head);}//It1 = It2;list<T> operator=(const list<T> It) const {clear();for (const auto& e : It) {push_back(e);}return *this;}list<T>& operator=(list<T>/*&*/ It) {//if (this != &It) {//	clear();//	for (const auto& e : It) {//		push_back(e);//	}//}// 现代写法swap(It);return *this;}void push_back(const T& x) {//Node* newnode = new Node(x);//Node* tail = _head->_prev;//tail->_next = newnode;//newnode->_prev = tail;//_head->_prev = newnode;//newnode->_next = _head;insert(end(), x);	// 复用insert}void push_front(const T& x) {insert(begin(), x);}void pop_back() {erase(--end());}void pop_front() {erase(begin());}// vector insert会导致迭代器失效// list intert 不会导致迭代器失效iterator insert(iterator pos, const T& x){Node* newnode = new Node(x);Node* cur = pos._node;Node* prev = cur->_prev;newnode->_prev = prev;prev->_next = newnode;newnode->_next = cur;cur->_prev = newnode;//return iterator(newnode); //单参数的构造函数可以隐式类型转换return newnode;		// 返回插入节点迭代器}// 节点被delete掉了,存在迭代器失效iterator erase(iterator pos) {assert(pos != end());Node* cur = pos._node; Node* prev = cur->_prev;Node* next = cur->_next;prev->_next = next;next->_prev = prev;delete cur;return next;	//返回被删除元素元素的下一个元素的迭代器}private:Node* _head;	//头节点}; 
}

1. 构造函数和析构函数

1.1 构造函数

目的是对链表以及节点进行初始化

template<class T>
struct ListNode
{ListNode<T>* _next;ListNode<T>* _prev;T _data;ListNode(const T& x = T()) // ListNode的构造函数:_next(nullptr), _prev(nullptr), _data(x){}
};
template<class T>
class list	// 带头双向循环链表
{typedef ListNode<T> Node;	// 节点的重定义void empty_init() {	// 初始化链表_head = new Node;_head->_next = _head;_head->_prev = _head;}list() {	// list的构造函数empty_init();}
}		

1.2析构函数

析构函数主要完成对资源的清理,这里通过调用clear对链表的节点进行删除。最后在将头结点空间进行释放,然后置空。

void clear() {	//清除链表元素iterator it = begin();while (it != end()) {it = erase(it);}
}~list() {	//析构函数clear();delete _head;_head = nullptr;
}

2.operator=的重载 和 拷贝构造函数

2.1 拷贝构造

对链表进行初始化,之后调用push_back函数尾插数据,完成拷贝构造。

void empty_init() {	// 初始化链表_head = new Node;_head->_next = _head;_head->_prev = _head;
}
list(const list<T>& It) {	// 拷贝构造empty_init();for (const auto& e : It) {push_back(e);}
}

2.2 operator=的重载

下面分别是对const对象和非const对象的operator=的重载 /

void swap(list<T> tmp) {std::swap(_head, tmp._head);
}
//It1 = It2;
list<T> operator=(const list<T> It) const {clear();for (const auto& e : It) {push_back(e);}return *this;
}
list<T>& operator=(list<T>/*&*/ It) {//if (this != &It) {//	clear();//	for (const auto& e : It) {//		push_back(e);//	}//}// 现代写法swap(It);return *this;
}

3. 迭代器的实现

list 的迭代器与 vector 不同,它不是原生指针,而是将节点的指针进行封装,然后重载operator*,operator++,operator--与指针相关的操作符来模拟指针的行为。

3.1 普通迭代器

template<class T>
struct ListNode
{ListNode<T>* _next;ListNode<T>* _prev;T _data;ListNode(const T& x = T()) // ListNode的构造函数:_next(nullptr), _prev(nullptr), _data(x){}
};template<class T>
struct _list_iterator	// 链表迭代器
{typedef ListNode<T> Node;typedef _list_iterator<T> self;Node* _node;	//存放一个节点的指针变量_list_iterator(Node* node):_node(node){}//++itself& operator++() {_node = _node->_next;return *this;}//it++self operator++(int) {self tmp(*this);_node = _node->_next;return tmp;}//--itself& operator--() {_node = _node->_prev;return *this;}//it--self operator--(int) {self tmp(*this);_node = _node->_prev;return tmp;}// 模仿指针的 *T& operator*() {return _node->_data;}// 模仿指针的 ->T* operator->() {return &_node->_data;}bool operator != (const self& s) {return _node != s._node;}bool operator == (const self& s) {return _node == s._node;}
};

注意operator-> 在调用时,后面还会有一个->,相当于 it.operator->()->_a1 ,只不过特殊处理被省略掉了

struct AA
{int _a1;int _a2;AA(int a1 = 1, int a2 = 1):_a1(a1), _a2(a2){}
};void test_list3() {list<AA> It;AA aa1;It.push_back(aa1);It.push_back(AA());AA aa2(2, 2);It.push_back(aa2);It.push_back(AA(2, 2));list<AA>::iterator it = It.begin();while (it != It.end()) {cout << (*it)._a1 << ":" << (*it)._a2 << endl;cout << it.operator*()._a1 << ":" << it.operator*()._a2 << endl;cout << it->_a1 << ":" << it->_a2 << endl; //为了可读性,简化了一个->,特殊处理cout << it.operator->()->_a1 << ":" << it.operator->()->_a2 << endl; //相当于上面一行的++it;}cout << endl;
}

其实 it->_a1it->_node->_a1,只是编译器对其进行了简化。

3.2 const迭代器

const类型的对象只能使用const类型的迭代器,那么const类型的迭代器如何实现呢、需要再重新封装吗,像上面那样?为了减少代码量,我们只需要给模板增加两个参数就可以了。template<class T, class Ref, class Ptr>。实现如下:

	template<class T, class Ref, class Ptr>struct _list_iterator	// 链表迭代器{typedef ListNode<T> Node;typedef _list_iterator<T, Ref, Ptr> self;Node* _node;	//存放一个节点的指针变量_list_iterator(Node* node):_node(node){}//++itself& operator++() {_node = _node->_next;return *this;}//it++self operator++(int) {self tmp(*this);_node = _node->_next;return tmp;}//--itself& operator--() {_node = _node->_prev;return *this;}//it--self operator--(int) {self tmp(*this);_node = _node->_prev;return tmp;}// 模仿指针的 *Ref operator*() {return _node->_data;}// 模仿指针的 ->Ptr operator->() {return &_node->_data;}bool operator != (const self& s) {return _node != s._node;}bool operator == (const self& s) {return _node == s._node;}};

const 迭代器与普通迭代器只是在operator*()operator->()的返回值上有所不同所以,只需要在实例化模板的时候给不同的参数就可以实例化不同的内容。

typedef _list_iterator<T, T&, T*> iterator;	// 迭代器的重定义
typedef _list_iterator<T, const T&, const T*> const_iterator; // const迭代器的重定义

4. 插入和删除

// vector insert会导致迭代器失效
// list intert 不会导致迭代器失效
iterator insert(iterator pos, const T& x)
{Node* newnode = new Node(x);Node* cur = pos._node;Node* prev = cur->_prev;newnode->_prev = prev;prev->_next = newnode;newnode->_next = cur;cur->_prev = newnode;//return iterator(newnode); //单参数的构造函数可以隐式类型转换return newnode;		// 返回插入节点迭代器
}// 节点被delete掉了,存在迭代器失效
iterator erase(iterator pos) {assert(pos != end());Node* cur = pos._node;Node* prev = cur->_prev;Node* next = cur->_next;prev->_next = next;next->_prev = prev;delete cur;return next;	//返回被删除元素元素的下一个元素的迭代器
}void push_back(const T& x) {//Node* newnode = new Node(x);//Node* tail = _head->_prev;//tail->_next = newnode;//newnode->_prev = tail;//_head->_prev = newnode;//newnode->_next = _head;insert(end(), x);	// 复用insert
}void push_front(const T& x) {insert(begin(), x);
}void pop_back() {erase(--end());
}void pop_front() {erase(begin());
}

5. 测试代码

namespace hd 
{void test_list(){list<int> It;It.push_back(1);It.push_back(2);It.push_back(3);It.push_back(4);It.push_back(5);It.push_back(6);list<int>::iterator it = It.begin();while (it != It.end()){cout << *it << " ";++it;}cout << endl;for (auto e : It) {cout << e << " ";}cout << endl;list<int> It1 = It;list<int>::iterator it1 = It1.begin();while (it1 != It1.end()){cout << *it1 << " ";++it1;}cout << endl;for (auto e : It1) {cout << e << " ";}cout << endl;}void print_list(const list<int>& It) {list<int>::const_iterator it = It.begin();while (it != It.end()){cout << *it << " ";++it;}cout << endl;for (auto e : It) {cout << e << " ";}cout << endl;}void test_list2() {list<int> It;It.push_back(1);It.push_back(2);It.push_back(3);It.push_back(4);It.push_back(5);It.push_back(6);print_list(It);}struct AA{int _a1;int _a2;AA(int a1 = 1, int a2 = 1):_a1(a1), _a2(a2){}};void test_list3() {list<AA> It;AA aa1;It.push_back(aa1);It.push_back(AA());AA aa2(2, 2);It.push_back(aa2);It.push_back(AA(2, 2));list<AA>::iterator it = It.begin();while (it != It.end()) {cout << (*it)._a1 << ":" << (*it)._a2 << endl;cout << it.operator*()._a1 << ":" << it.operator*()._a2 << endl;cout << it->_a1 << ":" << it->_a2 << endl; //为了可读性,简化了一个->,特殊处理cout << it.operator->()->_a1 << ":" << it.operator->()->_a2 << endl; //相当于上面一行的++it;}cout << endl;}
}

总结

文章详细介绍了 C++ STL 中 List 的实现。List 是一个带头双向链表,适用于频繁插入和删除操作。构造函数、析构函数、拷贝构造函数、operator= 的重载、迭代器的实现以及插入和删除操作的具体实现方式。通过这些内容,可以深入了解 List 的内部工作原理,并学习如何使用和优化 List 数据结构。

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

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

相关文章

【discuz x3.5】网站迁移记录

近期需要迁移一个discuz x3.5 论坛&#xff0c;记录一下迁移过程&#xff0c;以备用&#xff01; 1、在原网站后台-站长>数据库进行数据备份 2、在根目录打包网站所有文件 3、到官网下载一个跟网站版本相同的安装包 4、把新的安装包里的-install-安装文件夹覆盖到原网站…

mac命令行安装java

安装 sdkman sdkman 是java的一个版本管理的工具&#xff0c;比homebrew安装java更方便。可以安装多个版本的java sdkman 的安装命令如下 # 安装sdkman需要科学上网&#xff0c;先设置一下curl的代理&#xff0c;否则会因为网络原因安装失败 # 我用的clashX&#xff0c;代理…

在C语言中,设置Linux系统时间

C 语言中使用 mktime 函数和 stime 函数来处理时间。 处理之前&#xff0c;需要先获取当前的时间戳。并使用当前的时间戳生成struct tm&#xff0c;struct tm是C语言中用于表示日期和时间的结构体&#xff0c;通常用于在程序中操作和处理日期时间信息。它包含了以下成员变量&a…

DataDreamer:让创建自定义数据集轻松无比!还自带标注!

编辑&#xff1a;OAK中国 首发&#xff1a;oakchina.cn 喜欢的话&#xff0c;请多多&#x1f44d;⭐️✍ 内容可能会不定期更新&#xff0c;官网内容都是最新的&#xff0c;请查看首发地址链接。 ▌前言 Hello&#xff0c;大家好&#xff0c;这里是OAK中国&#xff0c;我是Ash…

C语言----字符数组指针

1.char arr[] {a,b,c,d,e,f}; sizeof分析类型就可以计算所占的内存空间的大小&#xff1b; &#xff08;1&#xff09;printf("%d\n", sizeof(arr)); 数组名单独放进里面&#xff0c;计算整个数组大小&#xff0c;所以是6字节&#xff1b; &#xff08;2&#xff…

Java架构师之路八、安全技术:Web安全、网络安全、系统安全、数据安全等

目录 Web安全&#xff1a; 网络安全&#xff1a; 系统安全&#xff1a; 数据安全&#xff1a; Java架构师之路七、大数据&#xff1a;Hadoop、Spark、Hive、HBase、Kafka等-CSDN博客Java架构师之路九、设计模式&#xff1a;常见的设计模式&#xff0c;如单例模式、工厂模式…

【自动化脚本】常用自动化脚本一览【持续更新】

服务器初始化用户初始化 必备软件JDK1.8mavennginxredis docker相关dokcer安装docker mysql8.0 git相关git安装git卸载 服务器 初始化 wget -O centos7-init.sh https://files.rundreams.net/sh/run-sh/init/centos7-init.sh && sh centos7-init.sh用户初始化 wget …

设置主从复制时发生报错Could not find first log file name in binary log index file‘;解决方案

如图所示&#xff0c;slave_io_runnind:no,slave_sql_running:yes 此时&#xff0c;主从配置错误&#xff0c;我们可以查看Last_IO_Error:来查看报错信息 此时&#xff0c;我们需要停止从服务器的主从服务&#xff0c; mysql> stop slave; Query OK, 0 rows affected, 1 w…

k8s-heml管理 17

Helm是Kubernetes 应用的包管理工具&#xff0c;主要用来管理 Charts&#xff0c;类似Linux系统的 yum。Helm Chart 是用来封装 Kubernetes 原生应用程序的一系列 YAML 文件。可以在你部署应用的时候自定义应用程序的一些 Metadata&#xff0c;以便于应用程序的分发。 对于应用…

c语言之数组定义和初始化

数组是由类型说明符&#xff0c;数组名常量表达式组成&#xff0c;和python的序列类似。python序列是没有常量表达式 比如&#xff0c;有十个学生成绩&#xff0c;要定义数组如下 int stud[10]&#xff0c; int是类型说明符&#xff0c;stud是数组名&#xff0c;[10]表示有1…

压缩感知(Compressed Sensing,CS)的基础知识

压缩感知&#xff08;Compressed Sensing&#xff0c;CS&#xff09;是一种用于信号处理的技术&#xff0c;旨在以少于奈奎斯特采样定理所要求的样本频率来重构信号。该技术利用信号的稀疏性&#xff0c;即信号可以用较少的非零系数表示。压缩感知在图像获取中的应用使得在采集…

LabVIEW多场景微振动测试平台与教学应用

LabVIEW多场景微振动测试平台与教学应用 在多种工程实践中&#xff0c;微振动的测试与分析对于评估结构的稳定性及其对环境的影响至关重要。针对这一需求&#xff0c;开发了一套基于NI-cDAQ和LabVIEW的多场景微振动测试平台&#xff0c;提高微振动测试的精确度与灵活性&#x…

Python和Jupyter简介

在本notebook中&#xff0c;你将&#xff1a; 1、学习如何使用一个Jupyter notebook 2、快速学习Python语法和科学库 3、学习一些IPython特性&#xff0c;我们将在之后教程中使用。 这是什么&#xff1f; 这是只为你运行在一个个人"容器"中的一个Jupyter noteboo…

题目 1253: 老王赛马

题目描述: 赛马是一古老的游戏&#xff0c;早在公元前四世纪的中国&#xff0c;处在诸侯割据的状态&#xff0c;历史上称为“战国时期”。在魏国作官的孙膑&#xff0c;因为受到同僚庞涓的迫害&#xff0c;被齐国使臣救出后&#xff0c;到达齐国国都。 赛马是当时最受齐国贵族…

vivado FSM Components

Vivado合成功能 •同步有限状态机&#xff08;FSM&#xff09;组件的特定推理能力。 •内置FSM编码策略&#xff0c;以适应您的优化目标。 •FSM提取默认启用。 •使用-fsm_extraction off可禁用fsm提取。 FSM描述 Vivado综合支持Moore和Mealy中的有限状态机&#xff08;…

week04day04(爬虫)

一. 嵌套构造URL 下载所有英雄的皮肤图片&#xff1a;因为每个英雄图片的网址不同&#xff0c;但是有共同点&#xff0c;通过构建这个网址&#xff0c;再经过循环建立 所有链接 import requests import os# 1. 获取所有英雄的ID def get_all_hero_id():url https://game.gti…

C语言特殊函数

静态函数 背景知识&#xff1a;普通函数都是跨文件可见的&#xff0c;即在文件 a.c 中定义的函数可以在 b.c 中使用。 静态函数&#xff1a;只能在定义的文件内可见的函数&#xff0c;称为静态函数。 语法 staitc void f(void) // 在函数头前面增加关键字 static &#xff…

读取7400MB/s!华为发布eKitStor Xtreme M.2闪存条

今日&#xff0c;华为举行数据存储新春新品发布会&#xff0c;不仅发布全新数据湖解决方案&#xff0c;华为还针对商业市场与分销市场发布了全闪存存储新品。 据介绍&#xff0c;面向游戏加速、影视编辑、户外作业等场景&#xff0c;华为发布eKitStor Xtreme系列高性能M.2闪存条…

Leetcode454四数相加II

参考链接&#xff1a;代码随想录&#xff1a;Leetcode454四数相加II 解法1&#xff1a;听了代码随想录之后自己YY出来的解法&#xff08;200ms&#xff09;&#xff0c;有点慢 class Solution { public:int fourSumCount(vector<int>& nums1, vector<int>&am…

常用的函数式接口(Supplier、Consumer、Predicate、Function)

目录 一.函数式接口作为方法的参数 二.函数式接口作为方法的返回值 三.常用的函数式接口 3.1生产型Supplier接口 3.2消费型Consumer接口 抽象方法&#xff1a;accept 默认方法&#xff1a;andThen 3.3判断型Predicate接口 抽象方法&#xff1a;test 默认方法&#xf…