【知识点】
在图论算法实现中,常使用C++标准库STL自带的vector来模拟邻接表存图。详见:
https://blog.csdn.net/hnjzsyjyj/article/details/101233779
https://blog.csdn.net/hnjzsyjyj/article/details/101233485
https://blog.csdn.net/hnjzsyjyj/article/details/101233249
但是,在算法竞赛中,使用C++标准库STL自带的vector来模拟邻接表存图的方法,对某些复杂问题会超时。此外,在处理网络流问题中的构建反向边等操作时会麻烦一些。据此,可引入链式前向星这种用数组模拟邻接表存图的优秀数据结构。
本质上,链式前向星是以存储边的方式来存储图。换句话说,链式前向星是一种特殊的边集数组。
链式前向星特别适合用来优化 SPFA、DFS、BFS。
链式前向星的核心代码如下所述。其中:
val[idx]:存储编号为 idx 的边的值
e[idx]:存储编号为 idx 的结点的值
ne[idx]:存储编号为 idx 的结点指向的结点的编号
h[a]:存储头结点 a 指向的结点的编号
在上述约定下,则有:
● 链式前向星的核心代码如下:
void add(int a,int b) {
e[idx]=b,ne[idx]=h[a],h[a]=idx++;
}
如果是有权图,需多设置一个数组 val[] 存储权值。有权图的链式前向星的核心代码如下:
void add(int a,int b,int w) {
val[idx]=w,e[idx]=b,ne[idx]=h[a],h[a]=idx++;
}
● 基于链式前向星的深度优先搜索(DFS)的核心代码如下:
void dfs(int u) {
cout<<u<<" ";
st[u]=true;
for(int i=h[u]; ~i; i=ne[i]) { //~i; equivalent to i!=-1;
int j=e[i];
if(!st[j]) {
dfs(j);
}
}
}
● 基于链式前向星的广度优先搜索(BFS)的核心代码如下:
void bfs(int u) {
queue<int>q;
st[u]=true;
q.push(u);
while(!q.empty()) {
int t=q.front();
q.pop();
cout<<t<<" ";
for(int i=h[t]; ~i; i=ne[i]) { //~i; equivalent to i!=-1;
int j=e[i];
if(!st[j]) {
q.push(j);
st[j]=true; //need to be flagged immediately after being queued
}
}
}
}
【参考文献】
https://zhuanlan.zhihu.com/p/343092172
https://malash.me/200910/linked-forward-star/
https://www.acwing.com/solution/content/124095/
https://blog.csdn.net/hnjzsyjyj/article/details/119917795
https://blog.csdn.net/hnjzsyjyj/article/details/103778724