题目:路径统计
思路:
把dijkstra改一下就好。
要注意dijkstra一定不能写错,写得时候我把边权当成最短路塞堆里了,WA了好久……
代码:
#include<bits/stdc++.h>
using namespace std;
#define maxn 2000
#define inf (1e9)
#define read(x) scanf("%d",&x)
struct Edge{
int x,y,z;
Edge(){}
Edge(int xx,int yy,int zz) {
x=xx,y=yy,z=zz;
}
};
struct Node {
int x,w;
Node(){}
Node(int xx,int ww) {
x=xx,w=ww;
}
bool operator < (const Node& oth) const {
return w>oth.w;
}
};
int n,m;
int g[maxn+5][maxn+5];
vector<Edge> a[maxn+5];
priority_queue<Node> que;
int dist[maxn+5],cnt[maxn+5];
bool vis[maxn+5];
void dijkstra() {
cnt[1]=1;
for(int i=2;i<=n;i++) dist[i]=inf;
que.push(Node(1,0));
while(!que.empty()) {
int h=que.top().x;
que.pop();
if(vis[h]) continue;
vis[h]=true;
for(int i=0;i<a[h].size();i++) {
int y=a[h][i].y,z=a[h][i].z;
if(dist[y]>dist[h]+z) {
dist[y]=dist[h]+z;
cnt[y]=0;
que.push(Node(y,dist[y]));
}
if(dist[y]==dist[h]+z) {
cnt[y]+=cnt[h];
}
}
}
}
int main() {
read(n),read(m);
for(int i=1;i<=n;i++) for(int j=1;j<=n;j++) if(i!=j) g[i][j]=inf;
for(int i=1;i<=m;i++) {
int x,y,z;
read(x),read(y),read(z);
g[x][y]=min(g[x][y],z);
}
for(int i=1;i<=n;i++) for(int j=1;j<=n;j++) if(i!=j&&g[i][j]!=inf) a[i].push_back(Edge(i,j,g[i][j]));
dijkstra();
if(dist[n]==inf) {
printf("No answer");
} else {
printf("%d %d\n",dist[n],cnt[n]);
}
return 0;
}