数据结构之图

一. 常见算法模板

1. 基础代码,具体释义后序有空补充

头文件

#ifndef __GRAPH__H__
#define __GRAPH__H__#include <algorithm>
#include <climits>
#include <cmath>
#include <cstddef>
#include <cstdlib>
#include <ctime>
#include <iostream>
#include <list>
#include <map>
#include <memory>
#include <queue>
#include <random>
#include <set>
#include <stack>
#include <string>
#include <type_traits>
#include <unordered_map>
#include <unordered_set>
#include <utility>
#include <vector>struct Edge;struct Node {int _val; // 自己的数据项int _in; // 一个点的入度,别人进到自己有多少个点,有几个点指向自己int _out;                   // 一个点的出度,这个点指向几个点std::vector<Node *> _next;  // 从当前节点发散出去的节点的合集std::vector<Edge *> _edges; // 拿几条边是属于该节点的Node(int val) : _val(val) {_in = 0;_out = 0;}
};struct Edge {
public:int _weight; // 权重Node _from;Node _to;public:Edge(int weight, Node from, Node to): _weight(weight), _from(from), _to(to) {}
};class MySets {
public:std::unordered_map<Node *, std::list<Node *>> _setMap;MySets(std::list<Node *> nodes) {// 一开始每一个集合的节点只有自己for (auto node : nodes) {std::list<Node *> myset;myset.push_back(node);_setMap.insert(make_pair(node, myset));}}bool isSameSet(Node *from, Node *to);void unionSet(Node *from, Node *to);
};class Graph {
public:std::map<int, Node *> _nodes;std::set<Edge *> _edges;std::list<Node *> _unionNodes;public:Graph() {}~Graph() {}// 宽度优先遍历void bfs(Node *node);void dfs(Node *node);void showMap();// 拓扑排序std::list<Node *> sortedToPology(Graph *graph);// 针对于无向图的两种算法,最小生成树std::set<Edge *> kruskalMST(Graph *graph);std::set<Edge *> primMST(Graph *graph);std::unordered_map<Node *, int> dijkstral(Node *head);private:Node *getMinDistanceAndUnselectNode(std::unordered_map<Node *, int> distanceMap,std::set<Node *> selectNodes);
};#endif // !__GRAPH__H__

源文件

#include "Graph.h"
#include <queue>
#include <unordered_map>Graph *createGraph(int (*arr)[3], int rawSize, int colSize) {if (arr == nullptr) {return nullptr;}Graph *graph = new Graph;for (int i = 0; i < rawSize; ++i) {int weight = arr[i][0];int from = arr[i][1];int to = arr[i][2];if (!(graph->_nodes.find(from) != graph->_nodes.end())) {graph->_nodes.insert(std::make_pair(from, new Node(from)));}if (!(graph->_nodes.find(to) != graph->_nodes.end())) {graph->_nodes.insert(std::make_pair(to, new Node(to)));}auto iter = graph->_nodes.find(from);Node *fromNode = iter->second;iter = graph->_nodes.find(to);Node *toNode = iter->second;Edge newEdg(weight, *fromNode, *toNode);// 智能指针的写法需要vector中的类型也是对应智能指针的对象才可以// std::shared_ptr<Edge> newEdge(new Edge(weight, *fromNode, *toNode));fromNode->_next.push_back(toNode);fromNode->_out++;toNode->_in++;fromNode->_edges.push_back(&newEdg);graph->_edges.insert(&newEdg);}return graph;
}void Graph::dfs(Node *node) {if (node == nullptr) {return;}std::stack<Node *> myStack;std::set<Node *> mySet;myStack.push(node);mySet.insert(node);std::cout << "cur val = " << node->_val << std::endl;while (!myStack.empty()) {Node *curNode = myStack.top();myStack.pop();for (auto iter : curNode->_next) {auto it = mySet.find(iter);if (it == mySet.end()) {myStack.push(curNode);myStack.push(iter);mySet.insert(iter);std::cout << "cur val = " << iter->_val << std::endl;break;}}}
}void Graph::showMap() {for (auto iter : _nodes) {std::cout << "val = " << iter.first << " Node.val = " << iter.second->_val<< std::endl;}
}void Graph::bfs(Node *node) {if (node == nullptr) {return;}std::queue<Node *> myQueue;std::set<Node *> mySet;myQueue.push(node);mySet.insert(node);while (!myQueue.empty()) {Node *curNode = myQueue.front();myQueue.pop();std::cout << "cur val = " << curNode->_val << std::endl;for (auto cur : curNode->_next) {// std::cout << "cur val = " << cur->_val <<   std::endl;auto it = mySet.find(cur);if (it == mySet.end()) {myQueue.push(cur);mySet.insert(cur);}}}
}void test() {int arr[8][3] = {{7, 1, 8}, {1, 1, 2}, {3, 1, 4}, {1, 8, 7},{5, 2, 7}, {4, 2, 6}, {2, 4, 6}, {1, 7, 6}};Graph *graph = createGraph(arr, 8, 3);graph->showMap();auto iter = graph->_nodes.find(1);Node *node1 = iter->second;// graph->bfs(node1);graph->dfs(node1);
}bool MySets::isSameSet(Node *from, Node *to) {auto iter = _setMap.find(from);std::list<Node *> fromSet = iter->second;iter = _setMap.find(to);std::list<Node *> toSet = iter->second;return fromSet == toSet;
}void MySets::unionSet(Node *from, Node *to) {auto iter = _setMap.find(from);std::list<Node *> fromSet = iter->second;iter = _setMap.find(to);std::list<Node *> toSet = iter->second;for (auto node : toSet) {fromSet.push_back(to);_setMap.insert(std::make_pair(node, fromSet));}
}std::set<Edge *> Graph::kruskalMST(Graph *graph) {std::set<Edge *> result;if (graph == nullptr) {return result;}MySets myset(graph->_unionNodes);std::priority_queue<Edge *> myPriortQueue;for (auto edge : graph->_edges) {myPriortQueue.push(edge);}while (!myPriortQueue.empty()) {Edge *edge = myPriortQueue.top();myPriortQueue.pop();if (!myset.isSameSet(&edge->_from, &edge->_to)) {result.insert(edge);myset.unionSet(&edge->_from, &edge->_to);}}return result;
}std::set<Edge *> Graph::primMST(Graph *graph) {std::set<Edge *> myresult; // 存储最小生成树的边集合std::priority_queue<Edge *> mypriorityQueue; // 优先队列,用于按边的权值大小进行排序std::unordered_set<Node *> myset; // 无序集合,用于记录已经访问过的节点for (auto node : graph->_nodes) { // 遍历图中的所有节点if (myset.find(node.second) != myset.end()) { // 如果节点已经被访问过,则跳过myset.insert(node.second); // 将当前节点加入已访问集合for (auto edge : node.second->_edges) { // 遍历当前节点的所有边mypriorityQueue.push(edge); // 将边加入优先队列}while (!mypriorityQueue.empty()) { // 当优先队列非空时执行循环auto edge1 = mypriorityQueue.top(); // 取出优先队列中权值最小的边mypriorityQueue.pop(); // 弹出队列中的顶部元素auto node1 = &edge1->_to; // 获取边的目标节点if (myset.find(node1) != myset.end()) { // 如果目标节点未被访问过myset.insert(node1); // 将目标节点加入已访问集合myresult.insert(edge1); // 将当前边加入最小生成树的边集合for (auto nextEdge : node1->_edges) { // 遍历目标节点的所有边mypriorityQueue.push(nextEdge); // 将这些边加入优先队列,用于下一次循环}}}}}return myresult; // 返回最小生成树的边集合
}Node *Graph::getMinDistanceAndUnselectNode(std::unordered_map<Node *, int> distanceMap, std::set<Node *> selectNodes) {Node *result = nullptr;int minDistance = INT_MAX;for (auto entry : distanceMap) {int distance = entry.second;Node *node1 = entry.first;if ((selectNodes.find(node1) != selectNodes.end()) &&distance < minDistance) {result = node1;minDistance = distance;}}return result;
}std::unordered_map<Node *, int> Graph::dijkstral(Node *head) {std::unordered_map<Node *, int> distanceMap;if (head == nullptr) {return distanceMap;}// 从head出发到所有店的最小距离// key:从head出发到达key// value:从head出发到达key的最小距离// 如果在表中,没有T的记录,含义是从head出发到这个点的距离为正无穷// 首先第一步是把头结点放到hashmap中distanceMap.insert(std::make_pair(head, 0));// 创建一个set集合用来记录所有已经被走过的点std::set<Node *> selectNodes;Node *minhead = getMinDistanceAndUnselectNode(distanceMap, selectNodes);// 在选择的节点集合非空时进行循环while (minhead != nullptr) {int distance = distanceMap.find(minhead)->second;// 遍历当前选择节点的边for (auto edges : minhead->_edges) {Node *toNode = &edges->_to;// 如果目标节点已经在距离表distanceMap中,则更新其距离值if (distanceMap.find(toNode) != distanceMap.end()) {distanceMap.insert(std::make_pair(toNode, distance + edges->_weight));}// 否则,将目标节点及其距离插入distanceMapdistanceMap.insert(std::make_pair(&edges->_to, std::min(distanceMap.find(toNode)->second,distance + edges->_weight)));}// 将当前选择节点插入已选择节点集合中selectNodes.insert(minhead);// 获取下一个最小距离且未选择的节点minhead = getMinDistanceAndUnselectNode(distanceMap, selectNodes);}return distanceMap;
}// 拓扑排序
std::list<Node *> Graph::sortedToPology(Graph *graph) {std::list<Node *> result;if (graph == nullptr) {return result;}// 创建一个map用来记录当前所有点以及它的当前入度std::unordered_map<Node *, int> inMap;// 创建一个队列用来保存当前度为0的节点std::queue<Node *> zeroInQueue;// 遍历整个图的所有节点,将每个节点以及其入度记录在inmap中,并且将度为0的节点放在队列中for (auto node : graph->_nodes) {inMap.insert(std::make_pair(node.second, node.second->_in));if (node.second->_in == 0) {zeroInQueue.push(node.second);}}// 当0度的队列不为空的时候,进行去0度进行排序while (!zeroInQueue.empty()) {// 先从0度的队列中取出来一个节点auto node = zeroInQueue.front();zeroInQueue.pop();// 将其压在结果的链表当中result.push_back(node);// 遍历所有与这个节点相连接的带你,并将其插入到inmap中,并将其在inmap中的度减一for (auto next : node->_next) {inMap.insert(std::make_pair(next, inMap.find(next)->second - 1));// 如果减一之后此节点的度编变成了0,那么则将其插入到0度的队列当中if (inMap.find(next)->second == 0) {zeroInQueue.push(next);}}}return result;
}int main(int argc, const char **argv) {test();return 0;
}

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

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

相关文章

(一)RabbitMQ概念-优势、劣势、应用场景 、AMQP、工作原理

Lison <dreamlison163.com>, v1.0.0, 2023.06.22 RabbitMQ概念-优势、劣势、应用场景 、AMQP、工作原理 文章目录 RabbitMQ概念-优势、劣势、应用场景 、AMQP、工作原理RabbitMQ概念RabbitMQ的优势RabbitMQ劣势RabbitMQ应用的场景RabbitMQ_AMQPRabbitMQ工作原理 RabbitM…

Flutter、Android Studio 安装详细步骤以及常错解决

目录 一、前言 二、介绍 三、安装 (一&#xff09;、安装Flutter SDK 1&#xff09;双击文件夹&#xff0c;打开之后就是这样&#xff1a;​编辑 2&#xff09;双击此文件&#xff1a;​编辑 3&#xff09;此过程问题&#xff1a; (二&#xff09;、配置 Flutter SDK 环…

国内疫情地图和省级疫情地图

基础地图演示 from pyecharts.charts import Mapfrom pyecharts.options import VisualMapOpts map Map() data [ ("北京", 99), ("上海", 199), ("湖南", 299), ("台湾", 199), ("安徽", 299), ("广州", 399…

Rust vs Go:常用语法对比(十三)

题图来自 Go vs. Rust: The Ultimate Performance Battle 241. Yield priority to other threads Explicitly decrease the priority of the current process, so that other execution threads have a better chance to execute now. Then resume normal execution and call f…

php-golang-rpc使用roadrunner-server/goridge/v3/pkg/rpc和php的spiral/goridge3.2实践

golang代码&#xff1a; go get github.com/roadrunner-server/goridge/v3 package main import ( "fmt" "net" "net/rpc" goridgeRpc "github.com/roadrunner-server/goridge/v3/pkg/rpc" ) type App struct{} func (s *App) Hi(na…

linux文件管理

1.目录架构介绍 1.存放命令相关的目录 # Windows: 以多根的方式组织文件 C: D: # Linux:以单根的方式组织文件 //bin&#xff0c; 普通用户使用的命令 /bin/ls, /bin/date /sbin&#xff0c;管理员使用的命令 /sbin/service,poweroff,useradd…只要看到bin路径&#xff0c;就应…

7.27 作业 QT

要求&#xff1a; 结果图&#xff1a; clock.pro: QT core gui QT texttospeechgreaterThan(QT_MAJOR_VERSION, 4): QT widgetsCONFIG c11# The following define makes your compiler emit warnings if you use # any Qt feature that has been marked deprecated …

yarn-session下的flink应用的提交与关闭

flink on yarn 部署 下载Flink安装包 https://flink.apache.org/downloads/ 解压安装包 cd /bigdata/opt/f/flink tar -zxvf flink-1.13.6-bin-scala_2.12.tgz mv flink-1.13.6 yarn_flink-1.13.6编辑conf目录下的flink-conf.yaml jobmanager.rpc.address: u122 jobmanage…

Bootstrap框架(组件)

目录 前言一&#xff0c;组件1.1&#xff0c;字体图标1.2&#xff0c;下拉菜单组件1.2.1&#xff0c;基本下拉菜单1.2.2&#xff0c;按钮式下拉菜单 1.3&#xff0c;导航组件1.3.1&#xff0c;选项卡导航1.3.2&#xff0c;胶囊式导航1.3.3&#xff0c;自适应导航1.3.4&#xff…

React 组件使用

React 组件是一个 js 函数&#xff0c;函数可以添加 jsx 标记 当前页使用组件&#xff0c;基本使用 注意&#xff1a;组件的名称&#xff0c;第一个字母一定要大写&#xff0c;否则会报错 import { createRoot } from "react-dom/client"; import "./index.c…

(三)springboot实战——web新特性之函数式实现

前言 本节内容我们主要介绍一下web访问的另一种形式&#xff0c;通过函数式web实现一个restful风格的http请求案例。函数式web是spring5.2之后的一个新特性&#xff0c;可以通过函数去定义web请求的处理流程&#xff0c;使得代码更为简洁&#xff0c;耦合性也降低了。 正文 …

[Linux] 初识应用层协议: 序列化与反序列化、编码与解码、jsoncpp简单使用...

写在应用层之前 有关Linux网络, 之前的文章已经简单演示介绍了UDP、TCP套接字编程 相关文章: [Linux] 网络编程 - 初见UDP套接字编程: 网络编程部分相关概念、TCP、UDP协议基本特点、网络字节序、socket接口使用、简单的UDP网络及聊天室实现… [Linux] 网络编程 - 初见TCP套接…

国产化 | 走近人大金仓-KingbaseES数据库

引入 事务隔离级别 || KingbaseES数据库 开篇 1、KingbaseES数据库 百度百科&#xff1a;金仓数据库的最新版本为KingbaseES V8&#xff0c; KingbaseES V8在系统的可靠性、可用性、性能和兼容性等方面进行了重大改进&#xff0c;支持多种操作系统和硬件平台支持Unix、Linux…

Ubuntu--科研工具系列

翻译系列 pot-desktop github链接: https://github.com/pot-app/pot-desktop 下载deb Releases pot-app/pot-desktop GitHub 安装过程 在下载好的deb目录下打开终端(自动安装依赖) sudo apt install "XXX.deb" &#xff08;后面可以直接托文件到终端&#…

d3dx9_42.dll丢失怎么解决?这三个方法亲测可修复

最近我在使用计算机时遇到了一个问题&#xff0c;就是d3dx9_42.dll文件丢失的错误提示。初时我对这个错误一无所知&#xff0c;不知道该如何解决。但是经过一番搜索和学习&#xff0c;我终于找到了修复这个问题的方法。d3dx9_42.dll是一个与DirectX相关的动态链接库文件&#x…

神经网络小记-优化器

优化器是深度学习中用于优化神经网络模型的一类算法&#xff0c;其主要作用是根据模型的损失函数来调整模型的参数&#xff0c;使得模型能够更好地拟合训练数据&#xff0c;提高模型的性能和泛化能力。优化器在训练过程中通过不断更新模型的参数&#xff0c;使模型逐步接近最优…

网络:TCP/IP协议

1. OSI七层参考模型 应用层 表示层 会话层 传输层 网络层 数据链路层 物理层 2. TCP/IP模型 应用层 传输层 网络层 数据链路层 物理层 3. 各链路层对应的名称 应用层对应的是协议数据单元 传输层对应的是数据段 网络层对应的是数据包 链路层对应的是数据帧 物理层对应的是比特…

Elasticsearch API(二)

文章目录 前言一、Elasticsearch指标ES支持的搜索类型ES的能力ES的写入实时性ES不支持事务 二、Elasticsearch名词节点&#xff08;Node&#xff09;角色&#xff08;Roles&#xff09;索引&#xff08;index&#xff09;文档&#xff08;document&#xff09; 三、Elasticsear…

fastadmin 项目gitee管理

gitee创建一个仓库使用sourcetree等工具拉取代码使用phpstorm远程同步代码到本地设置忽略代码文件 注意&#xff1a;如果是直接把远程代码同步到本地&#xff0c;默认是你在 .gitignore中设置是无效的&#xff0c;代码一样会提交&#xff0c;需要先使用上面的截图去掉缓存&…

VM虚拟机网络配置桥接模式方法步骤

VM虚拟机配置桥接模式&#xff0c;可以让虚拟机和物理主机一样存在于局域网中&#xff0c;可以和主机相通&#xff0c;和互联网相通&#xff0c;和局域网中其它主机相通。 vmware为我们提供了三种网络工作模式&#xff0c;它们分别是&#xff1a;Bridged&#xff08;桥接模式&…