2171. EK求最大流,最大流算法

给定一个包含 n 个点 m 条边的有向图,并给定每条边的容量,边的容量非负。

图中可能存在重边和自环。求从点 S 到点 T 的最大流。

输入格式

第一行包含四个整数 n,m,S,T

接下来 m 行,每行三个整数 u,v,c,表示从点 u 到点 v 存在一条有向边,容量为 c。

点的编号从 1 到 n。

输出格式

输出点 S 到点 T 的最大流。

如果从点 S 无法到达点 T 则输出 0。

数据范围

2≤n≤1000
1≤m≤10000
0≤c≤10000
S≠T

输入样例:
7 14 1 7
1 2 5
1 3 6
1 4 5
2 3 2
2 5 3
3 2 2
3 4 3
3 5 3
3 6 7
4 6 5
5 6 1
6 5 1
5 7 8
6 7 7
输出样例:
14

解析:EK模板题

#include
#include
#include
#include
#include
#include
#include
#include
#include
#include
#include
#include
#include

using namespace std;
typedef long long LL;
const int N = 1e3 + 5, M = 2e4 + 5, inf = 0x3f3f3f3f;
int n, m, S, T;
int h[N], e[M], w[M], ne[M], idx;
int q[N], pre[N], d[N];
bool v[N];

void add(int a, int b, int c) {
	e[idx] = b, w[idx] = c, ne[idx] = h[a], h[a] = idx++;
	e[idx] = a, w[idx] = 0, ne[idx] = h[b], h[b] = idx++;
}

int bfs() {
	int hh = 0, tt = 0;
	memset(v, 0, sizeof v);
	q[0] = S, v[S] = 1, d[S] = inf;
	while (hh <= tt) {
		int t = q[hh++];
		for (int i = h[t]; i != -1; i = ne[i]) {
			int j = e[i];
			if (!v[j] && w[i]) {
				v[j] = 1;
				d[j] = min(d[t], w[i]);
				pre[j] = i;
				if (j == T)return 1;
				q[++tt] = j;
			}
		}
	}
	return 0;
}

int EK() {
	int ret = 0;
	while (bfs()) {
		ret += d[T];
		for (int i = T; i != S; i = e[pre[i] ^ 1]) {
			w[pre[i]] -= d[T], w[pre[i] ^ 1] += d[T];
		}
	}
	return ret;
}

int main() {
	memset(h, -1, sizeof h);
	scanf("%d%d%d%d", &n, &m, &S, &T);
	for (int i = 1,a,b,c; i <= m; i++) {
		scanf("%d%d%d", &a, &b, &c);
		add(a, b, c);
	}
	printf("%d\n", EK());
	return 0;
}

你可能感兴趣的:(#,最小生成树,算法,数据结构,最大流)