spfa什么玩意,我的为啥用数组模拟队列就段错误。。垃圾
作者:
VALUE_5
,
2021-11-15 12:42:59
,
所有人可见
,
阅读 207
/**
SPFA算法:判断负权回路 维护一个cnt[x]数组,表示到达x的边数
**/
// 邻接表存储
#include<bits/stdc++.h>
using namespace std;
const int N = 100010;
int h[N], e[N],ne[N],w[N],idx;
int dist[N],cnt[N];
int q[N];
bool st[N];
int n,m;
void add(int a, int b, int c){
e[idx] = b;
ne[idx] = h[a];
w[idx] = c;
h[a] = idx++;
}
bool spfa(){
// 全部节点入队,因为不只是判断1号节点有没有负环
int hh = 0, tt = -1;
for(int i = 1; i <= n; i++){
q[++tt] = i;
st[i] = true;
}
while(hh <= tt){ // 队列不空
int t = q[hh++];
st[t] = false; // 当前节点出队,代表已经不在队列,状态置为false
for(int i = h[t]; i != -1; i =ne[i]){ // 遍历所有以t为出边的节点
int j = e[i]; // 当前节点编号为j,注意i是下标指针不是节点编号
if(dist[j] > dist[t] + w[i]){ // 当前节点的距离大于从t出来的加w的距离则更新
dist[j] = dist[t] + w[i];
cnt[j] = cnt[t] + 1;
if(cnt[j] >= n){
return true;
}
if(!st[j]){ // 判断当前节点编号是否在队列中,不在则入队
q[++tt] = j;
st[j] = true;
}
}
}
}
return false;
}
int main(){
cin >> n >> m;
memset(h, -1, sizeof h);
for(int i = 0; i < m; i++){
int a, b, c;
cin >> a >> b >> c;
add(a, b, c);
}
if(spfa()){
cout << "Yes" << endl;
}else{
cout << "No" << endl;
}
return 0;
}