图的前向星存储方式(模板)
图的最常见的两种存储方式是邻接矩阵和邻接表,还有一种叫做前向星的存储方式也比较使用,是边集数组配合一个head数组实现的,这里给出它的模板以及一个简单的dfs
这种数据结构的详细介绍 http://blog.csdn.net/ACdreamers/article/details/16902023
#include<bits/stdc++.h>
using namespace std;
const int maxn = 150;
const int maxm = 1050;
int n, m;//顶点数,边数
int head[maxm], tot;
bool used[maxn];
//head[u]表示已知的最后一条以u为起点的边在边集e中的下标
struct edge {
int to, next;
//e[i].to表示边的终点,e[i].next表示上一条和边e[i]起点相同的点在e中的下标
//int w;权值
}e[maxm];//边集
void init() {
tot = 0;
memset(head, -1, sizeof(head));
memset(used, 0, sizeof(used));
}
void add(int u, int v) {//在图中加边
//e[tot].w = w
e[tot].to = v;
e[tot].next = head[u];
head[u] = tot++;
}
void dfs(int u) {
used[u] = 1;
printf("%d ", u);
for (int i = head[u]; i != -1; i = e[i].next) {//遍历的方式
int v = e[i].to;
if (!used[v]) dfs(v);
}
}
int main() {
while (scanf("%d%d", &n, &m) == 2) {
init();
for (int i = 1; i <= m; ++i) {
int from, to;
scanf("%d%d", &from, &to);
add(from, to);
//add(to, from)无向图
}
for (int i = 1; i <= n; ++i) {
if (!used[i] && head[i] != -1) dfs(i);
}
printf("\n");
}
return 0;
}