fork download
  1. #include <iostream>
  2. #include <vector>
  3. #include <queue>
  4. using namespace std;
  5.  
  6. // Function to perform BFS traversal of the graph
  7. void BFS(int start, const vector<vector<int>>& adjList, int n) {
  8. vector<bool> visited(n, false); // Track visited nodes
  9. queue<int> q; // Queue for BFS
  10. q.push(start);
  11. visited[start] = true;
  12.  
  13. while (!q.empty()) {
  14. int node = q.front(); // Get the node from the front of the queue
  15. q.pop();
  16. cout << node << " "; // Print the node
  17.  
  18. // Visit all the adjacent nodes of the current node
  19. for (int neighbor : adjList[node]) {
  20. if (!visited[neighbor]) {
  21. visited[neighbor] = true;
  22. q.push(neighbor);
  23. }
  24. }
  25. }
  26. }
  27.  
  28. int main() {
  29. int n, m;
  30. cin >> n >> m; // Number of nodes and edges
  31.  
  32. vector<vector<int>> adjList(n); // Adjacency list for the graph
  33.  
  34. // Read the graph edges
  35. for (int i = 0; i < m; i++) {
  36. int u, v;
  37. cin >> u >> v;
  38. adjList[u].push_back(v); // Add v to the adjacency list of u
  39. adjList[v].push_back(u); // Add u to the adjacency list of v (for undirected graph)
  40. }
  41.  
  42. int start;
  43. cin >> start; // Input the starting node for BFS
  44.  
  45. BFS(start, adjList, n); // Perform BFS starting from the given node
  46.  
  47. return 0;
  48. }
  49.  
Success #stdin #stdout 0s 5288KB
stdin
5 4
0 1
0 2
1 3
1 4
0
stdout
0 1 2 3 4