【spfa】AcWing852.spfa判断负环
作者:互联网
AcWing852.spfa判断负环
题解
判断负环的思路:利用抽屉原理,当边数为n时,若要连成一条无环的直线我们需要n+1个点,但我们只有n个点,故可以判断出存在环。
且由于spfa更新路径的特性,代表这个环会使得路径变小,即这个环为负权环
#include <iostream>
#include <queue>
#include <cstring>
using namespace std;
const int N = 2010, M = 10010;
bool st[N];
int dist[N], cnt[N];
int n, m;
int h[N], e[M], ne[M], w[M], idx;
void add(int a, int b, int c)
{
ne[idx] = h[a], h[a] = idx, e[idx] = b, w[idx++] = c;
}
bool spfa()
{
queue<int> q;
//负环的路线也可能从别的点开始
for(int i = 1; i <= n; ++i)
{
q.push(i);
st[i] = true;
}
while(q.size())
{
int t = q.front();
q.pop();
st[t] = false;
for(int i = h[t]; ~i; i = ne[i])
{
int j = e[i];
if(dist[j] > dist[t] + w[i])
{
dist[j] = dist[t] + w[i];
cnt[j] = cnt[t] + 1;
if(cnt[j] >= n) return true;
if(!st[j]) q.push(j), st[j] = true;
}
}
}
return false;
}
int main()
{
memset(h, -1, sizeof h);
cin >> n >> m;
int a, b, c;
for(int i = 0; i < m; ++i)
{
cin >> a >> b >> c;
add(a, b, c);
}
if(spfa()) cout << "Yes" << endl;
else cout << "No" << endl;
return 0;
}
标签:cnt,dist,idx,int,负环,spfa,AcWing852 来源: https://www.cnblogs.com/czy-algorithm/p/16324087.html