Problem 37: Count Paths in DAG
Problem Statement: Given a directed acyclic graph (DAG) with n nodes and m edges, compute the number of distinct paths from node 1 to node n modulo 10^9+7.
Input
The first line contains two integers n and m. Each of the next m lines contains two integers u and v denoting an edge from u to v.
Output
Print the number of distinct paths from 1 to n modulo 10^9+7.
Examples
Input:
4 5
1 2
1 3
2 3
2 4
3 4
Output:
3
Solution in C++
#include <iostream>
#include <vector>
#include <queue>
using namespace std;
const int MOD = 1000000007;
int main(){
ios::sync_with_stdio(false);
cin.tie(nullptr);
int n, m; cin >> n >> m;
vector<vector<int>> adj(n+1);
vector<int> indegree(n+1, 0);
for(int i = 0; i < m; i++){
int u, v; cin >> u >> v;
adj[u].push_back(v);
indegree[v]++;
}
vector<int> dp(n+1, 0);
dp[1] = 1;
queue<int> q;
for(int i = 1; i <= n; i++){
if(indegree[i] == 0) q.push(i);
}
while(!q.empty()){
int u = q.front(); q.pop();
for(int v : adj[u]){
dp[v] = (dp[v] + dp[u]) % MOD;
indegree[v]--;
if(indegree[v] == 0) q.push(v);
}
}
cout << dp[n] << "\n";
return 0;
}