Maximum flow - Dinic's algorithm¶
Dinic's algorithm solves the maximum flow problem in
Definitions¶
A residual network
A blocking flow of some network is such a flow that every path from
A layered network of a network
Algorithm¶
The algorithm consists of several phases. On each phase we construct the layered network of the residual network of
Proof of correctness¶
Let's show that if the algorithm terminates, it finds the maximum flow.
If the algorithm terminated, it couldn't find a blocking flow in the layered network. It means that the layered network doesn't have any path from
Number of phases¶
The algorithm terminates in less than
Lemma 1. The distances from
Proof. Fix a phase
Lemma 2.
Proof. From the previous lemma,
From these two lemmas we conclude that there are less than
Finding blocking flow¶
In order to find the blocking flow on each iteration, we may simply try pushing flow with DFS from
A single DFS run takes
Complexity¶
There are less than
Unit networks¶
A unit network is a network in which for any vertex except
On unit networks Dinic's algorithm works in
Firstly, each phase now works in
Secondly, suppose there have already been
Unit capacities networks¶
In a more generic settings when all edges have unit capacities, but the number of incoming and outgoing edges is unbounded, the paths can't have common edges rather than common vertices. In a similar way it allows to prove the bound of
Finally, it is also possible to prove that the number of phases on unit capacity networks doesn't exceed
Implementation¶
struct FlowEdge {
int v, u;
long long cap, flow = 0;
FlowEdge(int v, int u, long long cap) : v(v), u(u), cap(cap) {}
};
struct Dinic {
const long long flow_inf = 1e18;
vector<FlowEdge> edges;
vector<vector<int>> adj;
int n, m = 0;
int s, t;
vector<int> level, ptr;
queue<int> q;
Dinic(int n, int s, int t) : n(n), s(s), t(t) {
adj.resize(n);
level.resize(n);
ptr.resize(n);
}
void add_edge(int v, int u, long long cap) {
edges.emplace_back(v, u, cap);
edges.emplace_back(u, v, 0);
adj[v].push_back(m);
adj[u].push_back(m + 1);
m += 2;
}
bool bfs() {
while (!q.empty()) {
int v = q.front();
q.pop();
for (int id : adj[v]) {
if (edges[id].cap == edges[id].flow)
continue;
if (level[edges[id].u] != -1)
continue;
level[edges[id].u] = level[v] + 1;
q.push(edges[id].u);
}
}
return level[t] != -1;
}
long long dfs(int v, long long pushed) {
if (pushed == 0)
return 0;
if (v == t)
return pushed;
for (int& cid = ptr[v]; cid < (int)adj[v].size(); cid++) {
int id = adj[v][cid];
int u = edges[id].u;
if (level[v] + 1 != level[u])
continue;
long long tr = dfs(u, min(pushed, edges[id].cap - edges[id].flow));
if (tr == 0)
continue;
edges[id].flow += tr;
edges[id ^ 1].flow -= tr;
return tr;
}
return 0;
}
long long flow() {
long long f = 0;
while (true) {
fill(level.begin(), level.end(), -1);
level[s] = 0;
q.push(s);
if (!bfs())
break;
fill(ptr.begin(), ptr.end(), 0);
while (long long pushed = dfs(s, flow_inf)) {
f += pushed;
}
}
return f;
}
};