C++之map和set封装以及哈希(unordered_map和unordered_set)的封装(仅代码)

个人主页:点我进入主页

专栏分类:C语言初阶  C语言进阶  数据结构初阶    Linux    C++初阶     C++进阶​    ​​​​算法

欢迎大家点赞,评论,收藏。

一起努力,一起奔赴大厂

目录

一. map和set封装

1.1红黑树

1.2map

1.3set

二 哈希


一. map和set封装

1.1红黑树

        map和set的底层是红黑树,我们先对红黑树进行迭代器进行封装,下面是代码:

#pragma once
#include<iostream>
using namespace std;
#include<vector>enum Color
{RED,BLACK
};
template<class T>
struct RBNode
{RBNode<T>* _left;RBNode<T>* _right;RBNode<T>* _parent;T _data;Color _color;RBNode(const T&data):_left(nullptr),_right(nullptr),_parent(nullptr),_data(data),_color(RED){}
};template <class T,class Ref,class Ptr>
struct _RBTreeIterator
{typedef RBNode<T> Node;typedef _RBTreeIterator<T, Ref, Ptr> Self;Node* _node;_RBTreeIterator(Node* node):_node(node){}Ref operator*(){return _node->_data;}Ptr operator->(){return &_node->_data;}bool operator!=(Self rbt){return _node != rbt._node;}Self& operator++(){	if (_node->_right){//下一个,右子树的最左节点Node* left_min = _node->_right;while (left_min->_left){left_min = left_min->_left;}_node = left_min;}else{//下一个,(孩子等于父亲左)的那个祖先Node* cur = _node;Node* parent = _node->_parent;//parent是为了找到endwhile (parent&&parent->_right == cur){cur = parent;parent = parent->_parent;}_node = parent;}return *this;}
};
template<class K,class T,class key_of_t>
class RBTree
{
public:typedef RBNode<T> Node;typedef _RBTreeIterator<T, T&, T*> iterator;typedef _RBTreeIterator< T, const T&, const T*> const_iterator;
public:RBTree()=default;RBTree(RBTree<K, T, key_of_t>& t){_root=Copy(t._root,nullptr);}~RBTree(){Deletes(_root);}iterator begin(){Node* cur = _root;while (cur->_left){cur = cur->_left;}return iterator(cur);}iterator end(){return iterator(nullptr);}const_iterator begin()const{Node* cur = _root;while (cur->_left){cur = cur->_left;}return const_iterator(cur);}const_iterator end()const {return const_iterator(nullptr);}void RoateR(Node* parent){Node* pparent = parent->_parent;Node* subL = parent->_left;Node* subLR = subL->_right;subL->_right = parent;parent->_parent = subL;parent->_left = subLR;if (subLR)subLR->_parent = parent;if (_root == parent) {_root = subL;_root->_parent = nullptr;}else{if (pparent->_left == parent) pparent->_left = subL;else if ( pparent->_right == parent) pparent->_right = subL;subL->_parent = pparent;}}void RoateL(Node* parent){Node* pparent = parent->_parent;Node* subR = parent->_right;Node* subRL = subR->_left;subR->_left = parent;parent->_parent = subR;parent->_right = subRL;if (subRL)subRL->_parent = parent;if (_root == parent){_root = subR;_root->_parent = nullptr;}else{if (pparent->_left == parent) pparent->_left = subR;else if (pparent->_right == parent) pparent->_right = subR;subR->_parent = pparent;}}pair<iterator, bool> Insert(const T&data){Node* newnode = new Node(data);if (_root == nullptr){_root = newnode;_root->_color = BLACK;return make_pair(_root, true);}Node* cur = _root;Node* parent = nullptr;key_of_t kot;while (cur){if (kot(data) < kot(cur->_data)){parent = cur;cur = cur->_left;}else if (kot(data) > kot(cur->_data)){parent = cur;cur = cur->_right;}else{return make_pair(nullptr, false);}}if (kot(newnode->_data) < kot(parent->_data)) parent->_left = newnode;else parent->_right = newnode;newnode->_parent = parent;cur = newnode;while (parent&&parent->_color ==RED){Node* grandefather = parent->_parent;Node* uncle = nullptr;if (grandefather->_left == parent){uncle = grandefather->_right;if (uncle && uncle->_color == RED){parent->_color = uncle->_color = BLACK;grandefather->_color = RED;cur = grandefather;parent = grandefather->_parent;}else{if (cur == parent->_left){//     g//   p   u// c//旋转RoateR(grandefather);//变色parent->_color = BLACK;grandefather->_color = RED;}else{//     g//   p   u//     c//旋转RoateL(parent);RoateR(grandefather);//变色cur->_color = BLACK;grandefather->_color = RED;}break;}}else if ( grandefather->_right == parent){uncle = grandefather->_left;if (uncle && uncle->_color == RED){parent->_color = uncle->_color = BLACK;grandefather->_color = RED;cur = grandefather;parent = grandefather->_parent;}else if (uncle == nullptr || uncle->_color == BLACK){if (cur == parent->_right){//     g//  u     p     //           c//旋转RoateL(grandefather);//变色parent->_color = BLACK;grandefather->_color = RED;}else{//     g//   u   p//     c//旋转RoateR(parent);RoateL(grandefather);//变色cur->_color = BLACK;grandefather->_color = RED;}break;}}}_root->_color = BLACK;return make_pair(cur, true);}void InOrder(){_InOrder(_root);}
private:Node* Copy(Node* root,Node * parent){if (root == nullptr) return nullptr;Node* cur = new Node(root->_data);cur->_color = root->_color;cur->_parent = parent;cur->_left  = Copy(root->_left,cur);cur->_right = Copy(root->_right,cur);return cur;}void Deletes(Node* root){if (root == nullptr) return;Deletes(root->_left);Deletes(root->_right);delete root;}void _InOrder(Node* root){if (root == nullptr)return;_InOrder(root->_left);cout << root->_kv.first << " " << root->_kv.second << endl;_InOrder(root->_right);}Node* _root = nullptr;
};

1.2map

#pragma once
#include"RBTree.h";template <class K, class V>
struct key_of_map
{const K& operator()(const pair<K,V>& kv){return kv.first;}
};
template <class K ,class V>
class my_map
{
public:typedef typename RBTree<K, pair<K, V>, key_of_map<K,V>>::iterator iterator;typedef typename RBTree<K, pair<K, V>, key_of_map<K, V>>::const_iterator const_iterator;iterator begin(){return _t.begin();}iterator end(){return _t.end();}const_iterator begin()const {return _t.begin();}const_iterator end() const {return _t.end();}pair<iterator, bool> insert(const pair<K, V>& kv){return _t.Insert(kv);}
private:RBTree<K, pair<K, V>, key_of_map<K,V>> _t;
};void test_my_map()
{my_map<int, int> m;int a[] = { 9,2,5,3,6,4,2,5,3,2,10,11,54,23 };for (auto x : a){m.insert(make_pair(x,x));}my_map<int, int>::iterator it = m.begin();while (it != m.end()){cout << it->first << " " << it->second << endl;++it;}}

1.3set

#pragma once
#include"RBTree.h";template <class K>
struct key_of_set
{const K& operator()(const K&k){return k;}
};
template <class K>
class my_set
{
public:typedef typename RBTree<K, K, key_of_set<K>>::iterator iterator;typedef typename RBTree<K, K, key_of_set<K>>::const_iterator const_iterator;iterator begin(){return _t.begin();}iterator end(){return _t.end();}const_iterator begin()const{return _t.begin();}const_iterator end() const{return _t.end();}pair<iterator, bool> insert(const K&k){return _t.Insert(k);}
private:RBTree<K, K, key_of_set<K>> _t;
};void test_my_set()
{my_set<int> m;int a[] = { 9,2,5,3,6,4,2,5,3,2,10,11,54,23 };for (auto x : a){m.insert(x);}my_set<int>::iterator it = m.begin();while (it != m.end()){cout << *it << endl;++it;}my_set<int> s = m;it = s.begin();while (it != s.end()){cout << *it << endl;++it;}
}

二 哈希

        哈希包括两种,一种是开放地址法,一种是哈希桶,只对哈希桶进行封装,重点有仿函数和string等类型的插入,我们看底层代码:

#pragma once
#pragma once
#include<iostream>
#include<vector>
using namespace std;template <class K>
struct KeyOfK
{size_t operator()(const K& key){return (size_t)key;}
};
template<>
struct KeyOfK<string>
{int operator()(const string& str){int num = 0;for (auto s : str){	num *= 131;num += s;}return num;}
};enum Stata
{EMPTY,EXIT,DELETE
};
namespace open_addres
{template <class  T >struct HashNode{T _data;int _stata=0;HashNode(){}HashNode(const T& data,int stata):_data(data),_stata(stata){}};template <class K, class T, class KeyOfT, class KeyOfHashValue = KeyOfK<int>>class Hash{public:Hash(){_vkv.resize(10);}void Insert(const T&data){KeyOfHashValue khv;KeyOfT kot;if (1.0 * _size / _vkv.size() >= 0.75){//扩容Hash<K, T, KeyOfT,KeyOfHashValue> v;v._vkv.resize(_vkv.size() * 2);for (auto& k : _vkv){if (k._stata == EXIT){v.Insert(k._kv);}}swap(_vkv, v._vkv);}int hashi = khv(kot(data)) % _vkv.size();while (_vkv[hashi]._stata == EXIT){hashi = ++hashi % _vkv.size();}_vkv[hashi] = { data,EXIT };++_size;}void Erase(const K& k){KeyOfHashValue khv;int hashi = khv(k) % _vkv.size();while (_vkv[hashi]._stata == EXIT || _vkv[hashi]._stata == DELETE){if (khv(_vkv[hashi]._kv.first)== k){_vkv[hashi]._stata = EMPTY;_size--;break;}hashi++;hashi %= _vkv.size();}}bool Find(const K& k){KeyOfHashValue khv;int hashi = khv(k) % _vkv.size();while (_vkv[hashi]._stata == EXIT || _vkv[hashi]._stata == DELETE){if (khv(_vkv[hashi]._kv.first) == k){return true;}hashi++;hashi %= _vkv.size();}return false;}private:vector<HashNode<T>> _vkv;int _size = 0;};//void TestInsert()//{//	Hash<string, string,KeyOfK<string>> h;//	vector<string> nums = { "aaaa","bbbb","vvv","acax" };//	for (auto x : nums)//	{//		h.Insert(make_pair(x, x));//	}//}
}namespace hash_barked
{template<class T >struct HashNode{T _data;HashNode<T>* _next;HashNode(const T& data):_data(data),_next(nullptr){}};template<class K,class T , class KeyOfT,class KeyOfHashValue = KeyOfK<int>>class Hash{typedef HashNode<T> Node;template < class Ptf, class Ptr>struct Iterator{typedef Iterator< Ptf, Ptr> Self;HashNode<T>* _node;Hash* _ptr;Iterator(HashNode<T>* node, Hash* ptr):_node(node), _ptr(ptr){}Ptf operator*(){return _node->_data;}Ptr operator->(){return &_node->_data;}Self& operator++(){if (_node->_next != nullptr){_node = _node->_next;}else{KeyOfT kot;KeyOfHashValue khv;int hashi = khv(kot(_node->_data)) % _ptr->_hashtable.size();hashi++;while (hashi < _ptr->_hashtable.size()&&!_ptr->_hashtable[hashi]){hashi++;}if (hashi >= _ptr->_hashtable.size()){_node = nullptr;}else {_node = _ptr->_hashtable[hashi];}}return *this;}bool operator!=(const Self& s){return _node != s._node;}};private:vector<Node*> _hashtable;int _size;public :typedef Iterator<T&, T*> iterator;typedef Iterator<const T&, const T*> const_iterator;Hash(){_hashtable.resize(10,nullptr);_size = 0;}iterator begin(){for (auto x : _hashtable){if (x){return iterator(x,this);}}}iterator end(){return iterator(nullptr,this);}const_iterator begin() const{for (auto x : _hashtable){if (x){return iterator(x,this);}}}const_iterator end() const{return iterator(nullptr,this);}~Hash(){for (auto x : _hashtable){Node* cur = x;while (cur){Node* next = cur->_next;delete cur;cur = next;}}cout << "delete" << endl;}pair<iterator,bool> Insert(const T&data){KeyOfHashValue khv;KeyOfT kot;iterator ret = Find(kot(data));if (ret != end()){return make_pair(iterator(ret), false);}if (_size * 1.0 / _hashtable.size() >= 1){vector<Node*> _hash;_hash.resize(_hashtable.size() * 2);for (Node* cur : _hashtable){while (cur){Node* next = cur->_next;int hashi = khv(kot(cur->_data)) % _hash.size();if (_hash[hashi]){Node* t = _hash[hashi];_hash[hashi] = cur;_hash[hashi]->_next = t;}else{_hash[hashi] = cur;cur->_next = nullptr;}cur = next;}}swap(_hash, _hashtable);}int hashi = khv(kot(data)) % _hashtable.size();Node* cur = _hashtable[hashi];if (!cur){_hashtable[hashi] = new Node(data);cur = _hashtable[hashi];}else{Node* newnode = new Node(data);_hashtable[hashi] = newnode;newnode->_next =  cur;cur = newnode;}_size++;return make_pair(iterator(cur,this), true);}iterator Find(const K& k){KeyOfT kot;int hashi = k % _hashtable.size();Node* cur = _hashtable[hashi];if (cur){while (cur && kot(cur->_data) != k){cur = cur->_next;}}if (cur){return iterator(cur,this);}else{return end();}}bool Erase(const K& k){Node* ret = Find(k);if (ret == nullptr){return false;}KeyOfT kot;KeyOfHashValue khv;int hashi = k % _hashtable.size();Node* cur = _hashtable[hashi];if (cur == nullptr) return;Node* prev = nullptr;while (khv(kot(cur->_data)) != k){prev = cur;cur = cur->_next;}Node* next = cur->_next;if (_hashtable[hashi] == cur){_hashtable[hashi] = next;}else{prev->_next = next;}delete cur;_size--;return true;}};template <class V>struct KeyOfT{V& operator()(V& v){return v.first;}};//void TestInsert()//{//	Hash<int, pair<int,int>,KeyOfT<int>> h;//	vector<int> nums = { 1,2,3,11,21 };//	for (auto x : nums)//	{//		h.Insert(make_pair(x, x));//	}//	h.Insert(make_pair(31, 31));//	h.Insert(make_pair(41, 41));//	h.Insert(make_pair(42, 42));//	h.Insert(make_pair(53, 53));//	h.Insert(make_pair(66, 66));//	h.Insert(make_pair(61, 61));//	/*h.Erase(61);//	h.Erase(41);//	h.Erase(21);//	h.Erase(1);*///}
}

这里只有unordered_map的代码:

#pragma once
#include"hashtable.h"template <class K,class V, class KeyOfHashValue = KeyOfK<int>>
class my_unordered_map
{struct KeyOfT{const K& operator()(const pair<const K, V>& kv){return kv.first;}};
public:typedef typename hash_barked::Hash <K, pair<const K, V>, KeyOfT, KeyOfHashValue>::iterator iterator;typedef typename hash_barked::Hash <K, pair<const K, V>, KeyOfT, KeyOfHashValue>::const_iterator const_iterator;
public:pair<iterator,bool> insert(const pair<const K, V>& kv){return _m.Insert(kv);}bool erase(const K& k){_m.Erase(k);}iterator find(const K& k){return _m.Find(k);}iterator begin(){return _m.begin();}iterator end(){return _m.end();}const_iterator begin() const{return _m.begin() ;}const_iterator end()const{return _m.end() ;}V& operator[](const K& k){pair<iterator, bool >ret = insert(make_pair(k, V()));return(ret.first)->second;}private:hash_barked::Hash <K, pair<const K,V>,KeyOfT,KeyOfHashValue> _m;
};void TestUnMap()
{my_unordered_map<int, int> m;vector<int> nums = { 1,4,25,76,4,2,4,6,1,22,33,566 };for (auto x : nums){m.insert(make_pair(x, x));}m.insert(make_pair(12, 12));m.insert(make_pair(13, 13));m.insert(make_pair(23,23 ));m[23] = 2;my_unordered_map<int, int>::iterator it = m. begin();while (it != m.end()){cout << it->first <<" "<<it->second  << endl;++it;}}

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

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

相关文章

fatal: refusing to merge unrelated histories

出现本地仓库和远程仓库的代码合并不兼容问题&#xff0c;解决方法&#xff1a; 添加--allow-unrelated-histories&#xff0c;让git允许提交不关联的历史代码。 成功提交&#xff1a;

Nuitka,一个超厉害的 Python 库

在众多高级编程语言中,Python 以其简洁的语法和强大的功能深受广大开发者的喜爱。然而,Python 程序的执行速度常常成为其被诟病之处。今天,我们要介绍的 Nuitka,正是一款可以将 Python 代码编译成 C++ 代码的工具,从而大幅提升程序执行效率。那么,Nuitka 究竟是什么呢?它…

python基础知识点(蓝桥杯python科目个人复习计划75)

第一题&#xff1a;ip补充 题目描述&#xff1a; 小蓝的ip地址为192.168.*.21&#xff0c;其中*是一个数字&#xff0c;请问这个数字最大可能是多少&#xff1f; import os import sys# 请在此输入您的代码 print("255") 第二题&#xff1a;出现最多的字符 题目描…

gitee的fork

通过fork操作&#xff0c;可以复制小组队长的库。通过复制出一模一样的库&#xff0c;先在自己的库修改&#xff0c;最后提交给队长&#xff0c;队长审核通过就可以把你做的那一份也添加入库 在这fork复制一份到你自己的仓库&#xff0c;一般和这个项目同名 现在你有了自己的库…

git 学习总结

文章目录 一、 git 基础操作1、工作区2、暂存区3、本地仓库4、远程仓库 二、git 的本质三、分支git 命令总结 作者: baron 一、 git 基础操作 如图所示 git 总共有几个区域 工作区, 暂存区, 本地仓库, 远程仓库. 1、工作区 存放项目代码的地方&#xff0c;他有两种状态 Unm…

Vue3时间选择器datetimerange在数据库存开始时间和结束时间

♥️作者&#xff1a;小宋1021 &#x1f935;‍♂️个人主页&#xff1a;小宋1021主页 ♥️坚持分析平时学习到的项目以及学习到的软件开发知识&#xff0c;和大家一起努力呀&#xff01;&#xff01;&#xff01; &#x1f388;&#x1f388;加油&#xff01; 加油&#xff01…

什么是埋点?前端如何埋点?

什么是埋点 “埋点” 是一种在应用程序或网站中插入代码的技术&#xff0c;用于收集用户行为数据或特定事件的信息。它是用于分析和监控用户行为、应用性能和其他关键指标的一种常用方法。通过在特定位置插入代码或调用特定的 API&#xff0c;开发人员可以捕获有关用户如何与应…

a,a,a【0】,a【0】,指针解析数组,用作(左值,右值)的区别

a&#xff0c;&a&#xff0c;a【0】&#xff0c;&a【0】&#xff0c;指针解析数组&#xff0c;用作&#xff08;左值&#xff0c;右值&#xff09;的区别

大数据-49 Redis 缓存问题中 穿透、雪崩、击穿、数据不一致、HotKey、BigKey

点一下关注吧&#xff01;&#xff01;&#xff01;非常感谢&#xff01;&#xff01;持续更新&#xff01;&#xff01;&#xff01; 目前已经更新到了&#xff1a; Hadoop&#xff08;已更完&#xff09;HDFS&#xff08;已更完&#xff09;MapReduce&#xff08;已更完&am…

《GPT-4o mini:开启开发与创新的新纪元》

在科技发展的快速进程中&#xff0c;OpenAI 推出的 GPT-4o mini 模型如同一阵春风&#xff0c;给开发者们带来了新的希望和机遇。它以其卓越的性能和极具吸引力的价格&#xff0c;成为了行业内热议的焦点。 当我首次听闻 GPT-4o mini 的消息时&#xff0c;内心充满了好奇与期待…

解锁Conda配置的秘密:conda config --get命令全指南

&#x1f511; 解锁Conda配置的秘密&#xff1a;conda config --get命令全指南 Conda是一个功能强大的包管理器和环境管理器&#xff0c;它允许用户通过配置文件来自定义其行为。有时&#xff0c;了解当前的配置状态对于诊断问题、优化设置或确保环境的一致性至关重要。本文将…

Linux下学习Python包管理器Poetry教程 零基础入门到精通

Poetry [官网 - Poetry] https://python-poetry.org/ 安装 pip install poetry简单使用 初始化 poetry 项目 cd ~ && mkdir demo poetry init管理虚拟环境 poetry 预设了很多自己的虚拟环境配置&#xff0c;这些配置可以通过 poetry config 进行修改 当用户在执…

使用git工具管理泰山派内核源码目录及抽打补丁简易流程

目录 使用git工具管理泰山派内核源码目录及抽打补丁简易流程 一、使用git维护源码 二、git 常用的一些操作 三、抽补丁 四、打补丁 五、补充 使用git工具管理泰山派内核源码目录及抽打补丁简易流程 最近&#xff0c;在做linux开发的过程中入手了一块泰山派RK3566的开发板…

嵌入式初学-C语言-前言

概述 C语言是一种计算机编程语言&#xff0c;我们是利用代码来控制计算机的运行&#xff0c;从而达到某种目的&#xff0c;我们 就很有必要了解计算机的运行原理。 计算机组成 OS 应用程序 计算机硬件 基本组成&#xff1a; 输入设备&#xff1a;输入数据给计算机处理&…

详解Mysql InnoDB引擎 04

文章目录 1. InnoDB 简介2. 逻辑存储结构2.1 表空间 idb文件2.2 段2.3 区 1M2.4 页 16KB2.5 行 3. 架构3.1 内存结构3.1.1 Buffer Pool 缓冲池3.1.2 Change Buffer 更改缓冲区3.1.3 Adaptive Hash Index3.1.4 Log Buffer 3.2 磁盘结构 4. 后台线程5. 事务原理5.1 redo log 重做…

动态数据增强的艺术:Mojo模型的自定义应用

动态数据增强的艺术&#xff1a;Mojo模型的自定义应用 在机器学习和深度学习领域&#xff0c;数据增强是提升模型泛化能力的重要手段。Mojo模型&#xff0c;作为深度学习模型的一种封装形式&#xff0c;通常指的是通过训练得到的模型参数的集合&#xff0c;它能够被用于快速推…

运行python项目出现ModuleNotFoundError: No module named ‘sklearn‘问题

问题1&#xff1a;ModuleNotFoundError: No module named sklearn 1.WindowsR键&#xff0c;输入cmd&#xff0c;进入命令行窗口 2.安装sklearn&#xff0c;使用清华镜像安装&#xff1a; python -m pip install scikit-learn -i https://pypi.tuna.tsinghua.edu.cn/simple …

算法学习day22

一、函数的独占时间 给你一个进程数量&#xff0c;和运行日志。运行日志log的格式为:进程id:(start/end):运行时间 其中一个进程运行时可以被另一个优先级较高的进程抢占cpu。求每个进程独占cpu的时间。 输入&#xff1a;n 2, logs ["0:start:0","1:start:…

Spring Boot - 优雅实现支持通配符和IP段的IP访问黑白名单机制

文章目录 CodeIpAccessInterceptoraddInterceptor工具类配置文件 application.yml单元测试 Code 废话不多说&#xff0c;直接上码 IpAccessInterceptor package cn.cloud.bus.module.servicebus.framework.ipconfig;import cn.cloud.bus.module.servicebus.util.IpFilterUti…

深入理解计算机系统 CSAPP 家庭作业11.10

A: //home.html <form action"/cgi-bin/adder" method"GET"><ul><li><label for"n1">n1:</label><input type"text" id"n1" name"n1" /> //name的值决定页面提交后&#xf…