数据结构 图的存储

在数据结构中图算是个较为难理解的结构形式了。

大致我们可以分为两个大类:
1、通过数组实现
2、通过链表实现

而链表的实现方式还可以继续细分:邻接表、邻接多重表、十字链表

所以关于图的结构的存储这里我们介绍四种基本形式:
1、邻接矩阵(数组)
2、邻接表(链表)
3、邻接多重表(链表)
4、十字链表(链表)

在C++中,图的存储方式通常有两种:邻接矩阵和邻接表。

  1. 邻接矩阵:

    #include <iostream>
    #include <vector>using namespace std;const int MAX_VERTICES = 100;class Graph {
    private:int vertices;vector<vector<int>> adjacencyMatrix;public:Graph(int V) : vertices(V), adjacencyMatrix(V, vector<int>(V, 0)) {}void addEdge(int start, int end) {adjacencyMatrix[start][end] = 1;adjacencyMatrix[end][start] = 1;  }void printGraph() {for (int i = 0; i < vertices; ++i) {for (int j = 0; j < vertices; ++j) {cout << adjacencyMatrix[i][j] << " ";}cout << endl;}}
    };int main() {Graph g(5);g.addEdge(0, 1);g.addEdge(0, 2);g.addEdge(1, 3);g.addEdge(3, 4);g.printGraph();return 0;
    }
    
  2. 邻接表:

    #include <iostream>
    #include <list>using namespace std;class Graph {
    private:int vertices;list<int> *adjacencyList;public:Graph(int V) : vertices(V), adjacencyList(new list<int>[V]) {}void addEdge(int start, int end) {adjacencyList[start].push_back(end);}void printGraph() {for (int i = 0; i < vertices; ++i) {cout << i << ": ";for (const auto &neighbor : adjacencyList[i]) {cout << neighbor << " ";}cout << endl;}}
    };int main() {Graph g(5);g.addEdge(0, 1);g.addEdge(0, 2);g.addEdge(1, 3);g.addEdge(3, 4);g.printGraph();return 0;
    }
    

在这里,顶点从0到V-1编号。你可以根据需要选择合适的表示方式,邻接矩阵适合稠密图,而邻接表适合稀疏图

当涉及到图的存储时,除了邻接矩阵和邻接表之外,还有其他一些高级的表示方式,如邻接多重表和十字链表

3.邻接多重表

邻接多重表主要用于存储无向图,其中每条边都有一个表结点。每个表结点包含两个指针,分别指向该边的两个顶点,并包含一些边的信息。这种表示方法在处理无向图时更为直观。下面是一个简化的例子:

class Graph {
private:struct EdgeNode {int vertex1, vertex2;EdgeNode* next1;EdgeNode* next2;EdgeNode(int v1, int v2) : vertex1(v1), vertex2(v2), next1(nullptr), next2(nullptr) {}};vector<EdgeNode*> edgeList;public:Graph(int V) : edgeList(V, nullptr) {}void addEdge(int start, int end) {EdgeNode* edge = new EdgeNode(start, end);// Update pointersedge->next1 = edgeList[start];edgeList[start] = edge;edge->next2 = edgeList[end];edgeList[end] = edge;}void printGraph() {for (int i = 0; i < edgeList.size(); ++i) {cout<< i << ": ";EdgeNode* edge = edgeList[i];while (edge != nullptr) {cout << "(" << edge->vertex1 << "," << edge->vertex2 << ") ";edge = edge->next1;}cout << endl;}}
};

4.** 十字链表**:

十字链表适用于有向图,它在邻接表的基础上进一步改进,以有效地表示有向边。每个结点包含两个指针,分别指向入边和出边,以及一些边的信息。下面是一个简化的例子:

class Graph {
private:struct Node {int vertex;Node* next;Node(int v) : vertex(v), next(nullptr) {}};struct ArcNode {int endVertex;ArcNode* nextIn;ArcNode* nextOut;ArcNode(int end) : endVertex(end), nextIn(nullptr), nextOut(nullptr) {}};vector<Node*> nodeList;public:Graph(int V) : nodeList(V, nullptr) {}void addEdge(int start, int end) {ArcNode* arc = new ArcNode(end);arc->nextOut = nodeList[start];nodeList[start] = arc;Node* node = new Node(start);node->next = nodeList[end];nodeList[end] = node;}void printGraph() {for (int i = 0; i < nodeList.size(); ++i) {cout  << i << ": ";ArcNode* arcOut = nodeList[i];while (arcOut != nullptr) {cout << arcOut->endVertex << " ";arcOut = arcOut->nextOut;}cout << endl;cout << i << ": ";Node* nodeIn = nodeList[i];while (nodeIn != nullptr) {cout << nodeIn->vertex << " ";nodeIn = nodeIn->next;}cout << endl;}}
};

下面是一些练习题:
1.无向图的连通分量

【问题描述】求解无向图的连通分量。
【输入形式】第一行:顶点数 边数;第二行:顶点;第三行及后面:边(每一行一条边)
【输出形式】分量:顶点集合(顶点按从小到大排序输出)(每个连通分量输出占用一行)
【样例输入】
6 5
ABCDEF
A B
A E
B E
A F
B F
【样例输出】
1:ABEF
2:C
3:D

#include <iostream>
#include <vector>
#include <map>
#include <set>
#include <algorithm>using namespace std;class Graph {
private:map<char, vector<char> > adjacencyList;map<char, bool> visited;public:void addEdge(char u, char v) {adjacencyList[u].push_back(v);adjacencyList[v].push_back(u);}void DFS(char vertex, set<char>& component) {visited[vertex] = true;component.insert(vertex);for (vector<char>::iterator it = adjacencyList[vertex].begin(); it != adjacencyList[vertex].end(); ++it) {char neighbor = *it;if (!visited[neighbor]) {DFS(neighbor, component);}}}vector<set<char> > getConnectedComponents() {vector<set<char> > components;visited.clear();for (map<char, vector<char> >::const_iterator it = adjacencyList.begin(); it != adjacencyList.end(); ++it) {char vertex = it->first;if (!visited[vertex]) {set<char> component;DFS(vertex, component);components.push_back(component);}}return components;}
};int main() {int vertices, edges;cin >> vertices >> edges;Graph graph;string verticesStr;cin >> verticesStr;for (string::iterator it = verticesStr.begin(); it != verticesStr.end(); ++it) {char vertex = *it;graph.addEdge(vertex, vertex);}for (int i = 0; i < edges; ++i) {char u, v;cin >> u >> v;graph.addEdge(u, v);}vector<set<char> > components = graph.getConnectedComponents();for (int i = 0; i < components.size(); ++i) {set<char> component = components[i];cout << i + 1 << ":";for (set<char>::iterator it = component.begin(); it != component.end(); ++it) {cout << *it;}cout << endl;}return 0;
}
  1. 无向图顶点的度

【问题描述】已知一个无向图,求解该无向图中顶点的度。输入:无向图的顶点数及边数,各顶点及边,某顶点;输出:该顶点的度。
【输入形式】第一行:顶点数、边数,第二行:顶点;第三行开始:边(一条边占用一行),最后一行:顶点(求该顶点的度)
6 8
ABCDEF
A B
A C
A D
B C
B D
C D
C E
E F
A
【输出形式】3

#include <iostream>
#include <vector>
#include <map>using namespace std;// 计算指定顶点的度数
int calculateDegree(int vertex, const vector<vector<bool> > &adjacencyMatrix)
{int degree = 0;for (size_t i = 0; i < adjacencyMatrix[vertex].size(); ++i){if (adjacencyMatrix[vertex][i]){degree++;}}return degree;
}int main()
{int vertices, edges;cin >> vertices >> edges;// 构建顶点映射表map<char, int> vertexMap;vector<char> vertexList(vertices);for (int i = 0; i < vertices; ++i){cin >> vertexList[i];vertexMap[vertexList[i]] = i;}// 构建邻接矩阵vector<vector<bool> > adjacencyMatrix(vertices, vector<bool>(vertices, false));for (int i = 0; i < edges; ++i){char start, end;cin >> start >> end;adjacencyMatrix[vertexMap[start]][vertexMap[end]] = true;adjacencyMatrix[vertexMap[end]][vertexMap[start]] = true;}// 输入要查询的顶点char queryVertex;cin >> queryVertex;// 计算顶点度数并输出int degree = calculateDegree(vertexMap[queryVertex], adjacencyMatrix);cout  << degree << endl;return 0;
}
  1. 图的存储结构

【问题描述】已知无向图的邻接矩阵存储结构,构造该图的邻接表存储结构。其中函数createMGraph用于创建无向图的邻接矩阵存储结构;函数createALGraph(ALGraph &G,MGraph G1)根据无向图的邻接矩阵存储结构G1,构建图的链接表存储结构G;函数printAdjustVex实现遍历邻接表,打印各顶点及邻接点。请根据上下文,将程序补充完整。
【输入形式】第一行:顶点数n和边数e;第一行:顶点序列;接着的e行:边依附的两个顶点在顶点数组中的索引
【输出形式】n行。每一行内容为:顶点:邻接点序列
【样例输入】
6 5
ABCDEF
0 1
0 4
1 4
0 5
1 5
【样例输出】
A:BEF
B:AEF
C:
D:
E:AB
F:AB

#include  <iostream>
using  namespace  std;
#define  MaxVexNum  20                                //最大顶点数设为20
struct    MGraph
{char  vexs[MaxVexNum];                      //顶点表int  arcs[MaxVexNum][MaxVexNum];  //邻接矩阵int  vexnum,arcnum;                            //图中顶点数和边数
};                                                                    //MGragh是以邻接矩阵存储的图类型
struct  ArcNode
{int  adjvex;                                          //邻接点域struct  ArcNode    *  nextarc;            //指向下一个邻接点的指针域
}  ;                                                                  //可增加一个数据域info表示边或弧的信息
struct  VNode
{char    data;                                          //顶点信息ArcNode    *  firstarc;                        //边表头指针
};
struct  ALGraph
{VNode  vertices[MaxVexNum];int  vexnum,arcnum;                            //顶点数和边数
}  ;
void  createMGraph(MGraph  &G)
{int  u,v;cin>>G.vexnum>>G.arcnum;for(int  i=0;  i<G.vexnum;  i++)cin>>G.vexs[i];for(int  i=0;  i<G.vexnum;  i++)for(int  j=0;  j<G.vexnum;  j++)G.arcs[i][j]=0;for(int  i=1;  i<=G.arcnum;  i++){cin>>u>>v;G.arcs[u][v]=1;G.arcs[v][u]=1;}
}
void createALGraph(ALGraph &G, MGraph G1)
{G.vexnum = G1.vexnum;G.arcnum = G1.arcnum;for (int i = 0; i < G1.vexnum; i++){G.vertices[i].data = G1.vexs[i];G.vertices[i].firstarc = NULL;}for (int i = G1.vexnum - 1; i >= 0; i--){for (int j = G1.vexnum - 1; j >= 0; j--){if (G1.arcs[i][j] == 1){ArcNode *newArc = new ArcNode;newArc->adjvex = j;newArc->nextarc = G.vertices[i].firstarc;G.vertices[i].firstarc = newArc;}}}
}void  printAdjustVex(ALGraph  G)
{for(int  i=0;i<G.vexnum;i++){cout<<G.vertices[i].data<<":";ArcNode    *p=G.vertices[i].firstarc;while(p){cout<<G.vertices[p->adjvex].data;p=p->nextarc;}cout<<endl;}}
int  main()
{MGraph  G;ALGraph  G1;createMGraph(G);createALGraph(G1,G);printAdjustVex(G1);
}

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

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

相关文章

修改Element UI可清空Input的样式

如图所示&#xff0c;修改Input右侧的清空按钮位置&#xff1a; <el-input class"create-catalog-ipt"placeholder"请输入相关章节标题"v-model"currentCatalogTitle"clearable /> // SCSS环境 ::v-deep {.create-catalog-ipt {input {he…

利用svm进行模型训练

一、步骤 1、将文本数据转换为特征向量 &#xff1a; tf-idf 2、使用这些特征向量训练SVM模型 二、代码 from sklearn.model_selection import train_test_split from sklearn.feature_extraction.text import TfidfVectorizer from sklearn.svm import SVC from sklearn.m…

什么是极限编程

XP 方法可以说是敏捷联盟中最鲜艳的一面旗帜&#xff0c;也是相对来说最成熟的一种。XP 方法的雏形最初形成于 1996—1999 年间&#xff0c;Kent Beck、Ward Cunningham、Ron Jeffery 夫妇在开发 C3 项目&#xff08;Chrysler Comprehensive Compensation&#xff09;的实践中总…

HTTP、HTTPS、SSL协议以及相关报文讲解

目录 HTTP/HTTPS介绍 HTTP/HTTPS基本信息 HTTP如何实现有状态 HTTP请求与应答报文 HTTP请求报文 HTTP响应报文 SSL协议 SSL单向认证 SSL双向认证 HTTP连接建立与传输步骤 HTTP访问全过程相关报文&#xff08;以访问www.download.cucdccom为例子&#xff09; DNS报文…

06_W5500_DHCP

1.DHCP协议介绍&#xff1a; DHCP&#xff08;Dynamic Host Configuration Protocol&#xff09;是一种用于自动分配IP地址和其他网络配置信息的协议。它允许网络中的设备&#xff08;如计算机、手机、打印机等&#xff09;在连接到网络时自动获取IP地址、子网掩码、默认网关、…

JavaEE:单例模式(饿汉模式和懒汉模式)精讲

前言 什么是单例模式&#xff1f; 其实用通俗的话就是程序猿约定俗成的一些东西&#xff0c;就比如如果你继承了一个抽象类&#xff0c;你就要重写里面的抽象方法&#xff0c;如果你实现了一个接口&#xff0c;你就要重写里面的方法。如果不进行重写&#xff0c;那么编译器就会…

Android开发中十六进制字符串的各种转换

在我们进行开发中&#xff0c;会遇到将16进制转换为各种形式&#xff0c;今天我们就详细的讲解一下&#xff1a; 1、十六进制字符串转byte[] public static byte[] hexStringToBytes(String hexString) {if (hexString null || hexString.equals("")) {return nul…

IDEA版SSM入门到实战(Maven+MyBatis+Spring+SpringMVC) -Spring管理第三方bean

第一章 Spring管理第三方bean 1.1 Spring管理druid步骤 导入jar包 <!--导入druid的jar包--><dependency><groupId>com.alibaba</groupId><artifactId>druid</artifactId><version>1.1.10</version></dependency><!-…

2024上海智慧城市展会(世亚智博会)促进长三角地区智慧城市发展

上海市政府近期印发的《上海市进一步推进新型基础设施建设行动方案(2023-2026年)》标志着新一轮新基建的全面启动。市政府副秘书长、市发展改革委主任顾军指出&#xff0c;这一行动方案紧抓智能算力、大模型、数据要素、区块链、机器人等技术发展趋势和绿色低碳节能要求&#x…

ceph 12版本命令

目录 一、osd操作相关删除osd调整OSD的恢复等级 二、host操作相关删除没有osd的host将host移动到对应的bucket中 一、osd操作相关 删除osd ceph osd down <X> ceph osd out <X> ceph osd rm <X> ceph auth del <osd.X> ceph osd crush rm <osd.X&…

01 python 入门语法

1.1 python中的自变量 # 定义一个变量来记录钱包的余额 money 50 # 通过print语句来展示&#xff08;输出&#xff09;变量记录的内容 print(钱包还有:,money) # 买花花费10元 money - 10 # 输出钱包剩余多少钱 print(钱包还有:,money)# 假设一小时就输出一次钱包余额 &#…

【LeetCode:2132. 用邮票贴满网格图 | 二维前缀和 + 二维差分和】

&#x1f680; 算法题 &#x1f680; &#x1f332; 算法刷题专栏 | 面试必备算法 | 面试高频算法 &#x1f340; &#x1f332; 越难的东西,越要努力坚持&#xff0c;因为它具有很高的价值&#xff0c;算法就是这样✨ &#x1f332; 作者简介&#xff1a;硕风和炜&#xff0c;…

达索系统SOLIDWORKS 2024 Visualize新功能

SOLIDWORKS Visualize&#xff08;原名为 Bunkspeed&#xff09;是一整套独立的软件工具&#xff0c;Visualize模块主要是用于对SOLIDWORKS设计出的产品图进行渲染、做动画&#xff0c;方便用户更好的展示、宣传产品&#xff1b;以最快速、最轻松的方式创建专业的照片级图像、动…

基于YOLOv8深度学习的水稻害虫检测与识别系统【python源码+Pyqt5界面+数据集+训练代码】目标检测、深度学习实战

《博主简介》 小伙伴们好&#xff0c;我是阿旭。专注于人工智能、AIGC、python、计算机视觉相关分享研究。 ✌更多学习资源&#xff0c;可关注公-仲-hao:【阿旭算法与机器学习】&#xff0c;共同学习交流~ &#x1f44d;感谢小伙伴们点赞、关注&#xff01; 《------往期经典推…

代码随想录Day51—— 309.最佳买卖股票时机含冷冻期 714.买卖股票的最佳时机含手续费

309.最佳买卖股票时机含冷冻期 给定一个整数数组prices&#xff0c;其中第 prices[i] 表示第 i 天的股票价格 。​ 设计一个算法计算出最大利润。在满足以下约束条件下&#xff0c;你可以尽可能地完成更多的交易&#xff08;多次买卖一支股票&#xff09;: 卖出股票后&…

《使用ThinkPHP6开发项目》 - 登录接口三【表单验证】

《使用ThinkPHP6开发项目》 - 登录接口一-CSDN博客 https://blog.csdn.net/centaury32/article/details/134974860 在设置用户登录时&#xff0c;由于安全问题会对登录密码进行加密 表单验证这里也可以使用ThinkPHP6自带的验证规则&#xff0c;创建一个验证管理员的文件 ph…

MYSQL各种日志

感谢B站up主的视频分享 黑马程序员 MySQL数据库入门到精通&#xff0c;从mysql安装到mysql高级、mysql优化全囊括_哔哩哔哩_bilibili

IDEA版SSM入门到实战(Maven+MyBatis+Spring+SpringMVC) -Spring依赖注入方式

第一章 Spring依赖注入方式【基于XML】 为属性赋值方式 通过xxxset()方法通过构造器反射 1.1 set注入 语法&#xff1a;<property> 1.2 构造器注入 语法&#xff1a;<constructor-arg> 1.3 p名称空间注入 导入名称空间&#xff1a;xmlns:p“http://www.springf…

2023 亚马逊云科技 re:Invent 大会探秘:Aurora 无限数据库的突破性应用

文章目录 一、前言二、Amazon Aurora 无限数据库2.1 亚马逊云科技数据库产品发展历程2.2 什么是 Amazon Aurora Limitless Database&#xff08;无限数据库&#xff09;2.3 Amazon Aurora Limitless Database 设计架构2.4 Amazon Aurora Limitless Database 分片功能2.5 使用 A…

xtu oj 1194 Recipient

题目描述 快递小哥每天都辛苦的送快递&#xff0c;今天他需要送N份快递给N个收件人&#xff0c;第i份快递需要送给第i个收件人。 请问其中发生恰好K个送错了的情况数是多少&#xff1f; 输入 存在多样例。 每行输入两个整数N和K&#xff0c;1≤N≤1000,0≤K≤N。 如果两个都…