1976: Number-of-Ways-to-Arrive-at-Destination
Medium
Simply put, this is just a Dijkstra’s problem, where you have to keep track of the count of paths travelling into each node. You can do this with simple dynamic programming, as the count of paths travelling into a new node depends on the previous traversals.
Code:
do note, that I used weight
instead of
time
throughout this algorithm…
class Solution {
public:
int countPaths(int n, vector<vector<int>>& roads) {
<vector<pair<int, int>>> adjacencyMatrix (n);
vectorfor (vector<int>& road : roads) {
int start = road[0], end = road[1], weight = road[2];
[start].push_back({end, weight});
adjacencyMatrix[end].push_back({start, weight});
adjacencyMatrix}
// tracks the number of paths going into each node
<int> count (n, 0);
vector// tracks the minimum_weights
<long long> weights (n, LLONG_MAX);
vector[0] = 0;
weights[0] = 1;
count
// minHeap needed to greedily track the next edge to traverse
<pair<long long, int>, vector<pair<long long, int>>, greater<>> minHeap;
priority_queue.push({0, 0});
minHeap
while (!minHeap.empty()) {
<long long, int> edge = minHeap.top();
pairint nontarget = edge.second;
long long nontargetWeight = edge.first;
.pop();
minHeap
// ignore if too heavy
if (nontargetWeight > weights[nontarget]) continue;
for (auto& [target, targetWeight] : adjacencyMatrix[nontarget]) {
if (nontargetWeight + targetWeight < weights[target]) {
[target] = nontargetWeight + targetWeight;
weights[target] = count[nontarget];
count.push({weights[target], target});
minHeap} else if (nontargetWeight + targetWeight == weights[target]) {
[target] = (count[target] + count[nontarget]) % (int)(1e9+7);
count}
}
}
return count.back();
}
};