Skip to content
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
47 changes: 47 additions & 0 deletions Graphs/edmonds_karp.cpp
Original file line number Diff line number Diff line change
@@ -0,0 +1,47 @@
int n;
vector<vector<int> > capacity;
vector<vector<int> > adj;

int bfs(int s, int t, vector<int>& parent) {
fill(parent.begin(), parent.end(), -1);
parent[s] = -2;
queue<pair<int, int> > q;
q.push(make_pair(s, INF));

while (!q.empty()) {
int cur = q.front().first;
int flow = q.front().second;
q.pop();

for (int next : adj[cur]) {
if (parent[next] == -1 && capacity[cur][next]) {
parent[next] = cur;
int new_flow = min(flow, capacity[cur][next]);
if (next == t)
return new_flow;
q.push(make_pair(next, new_flow));
}
}
}

return 0;
}

int maxflow(int s, int t) {
int flow = 0;
vector<int> parent(n);
int new_flow;

while (new_flow = bfs(s, t, parent)) {
flow += new_flow;
int cur = t;
while (cur != s) {
int prev = parent[cur];
capacity[prev][cur] -= new_flow;
capacity[cur][prev] += new_flow;
cur = prev;
}
}

return flow;
}