一起来打王者荣耀
用邻接表存储图的dfs遍历
#include <iostream>
#include <cstring>
#include <algorithm>
using namespace std;
const int N = 100010, M = 100010;
int n, m;
bool st[N]; // 表示当前结点是否被访问过
// 邻接表存储法,head相当于一个指针数组,表示每个结点所指向的第一个结点
struct Node
{
int id;
Node* next;
Node(int _id): id(_id), next(NULL) {}
}*head[N];
void add(int a, int b)
{
auto p = new Node(b);
p -> next = head[a];
head[a] = p;
}
void dfs(int u)
{
st[u] = true;
printf("%d ", u);
for(auto p = head[u]; p; p = p -> next)
if(!st[p -> id]) dfs(p -> id);
}
int main()
{
scanf("%d%d", &n, &m);
while(m --)
{
int x, y;
scanf("%d%d", &x, &y);
add(x, y);
}
for(int i = 1; i <= n; i ++)
{
if(!st[i]) dfs(i);
}
return 0;
}