fork download
  1. #include <iostream>
  2. #include <vector>
  3. using namespace std;
  4.  
  5. void DFS(int node, const vector<vector<int>>& adjList, vector<bool>& visited, int destination) {
  6. // If we've reached the destination, print YES and return
  7. if (node == destination) {
  8. cout << "YES" << endl;
  9. exit(0); // Exit once we find the path
  10. }
  11.  
  12. visited[node] = true; // Mark the current node as visited
  13.  
  14. // Explore all neighbors
  15. for (int neighbor : adjList[node]) {
  16. if (!visited[neighbor]) {
  17. DFS(neighbor, adjList, visited, destination); // Recur for unvisited neighbors
  18. }
  19. }
  20. }
  21.  
  22. int main() {
  23. int n, m;
  24. cin >> n >> m; // Read number of nodes and edges
  25.  
  26. vector<vector<int>> adjList(n); // Adjacency list to store the graph
  27.  
  28. // Read edges and build the graph
  29. for (int i = 0; i < m; i++) {
  30. int u, v;
  31. cin >> u >> v;
  32. adjList[u].push_back(v); // Add v to u's list
  33. adjList[v].push_back(u); // Add u to v's list (undirected graph)
  34. }
  35.  
  36. int start, destination;
  37. cin >> start >> destination; // Read the start and destination nodes
  38.  
  39. vector<bool> visited(n, false); // Initialize the visited array
  40.  
  41. DFS(start, adjList, visited, destination); // Call DFS to check for path
  42.  
  43. cout << "NO" << endl; // If we reach here, there is no path
  44. return 0;
  45. }
  46.  
Success #stdin #stdout 0.01s 5280KB
stdin
5 4
0 1
0 2
1 3
2 4
0 4
stdout
YES