Click here to Skip to main content
15,881,882 members
Articles / General Programming / Performance

Python, Min-cost Max-flow, and a Loose End

Rate me:
Please Sign up or sign in to vote.
5.00/5 (1 vote)
27 May 2020CPOL4 min read 9.8K   2   5
My status report while trying to understand why the exact same code Runs 1000s (not kidding) of times slower in Python
There was this particular weighted matching problem that I needed to solve some time ago. I reduce the whole thing to min-cost flow, similar to what one would do for a normal max matching. My C++ implementation would give me the answer almost instantly on a synthesized small input and in a few minutes on my actual data. But in Python, it was much, much slower. This article explores why.

What

There was this particular weighted matching problem that I needed to solve some time ago. The problem specification is not relevant here but it has got only a few more constraints than a normal maximum weighted matching and instead of actually thinking, I decided to reduce the whole thing to min-cost flow, similar to what one would do for a normal max matching.

For my actual usage, everything was fun and games. My C++ implementation would give me the answer almost instantly on a synthesized small input and in a few minutes on my actual data.

Now for some reason, I needed to implement the same thing in Python too. You see where this is going, right? This is basically my status report while trying to understand why the exact same code Runs 1000s (not kidding) of times slower in Python.

Some Background

I used the augmenting path algorithm for finding a min-cost flow in the graph. On the very high level, it looks like this:

While we haven't reached the desired flow:
    find the cheapest path from source to sink
    send flow along the path

Your algorithm for the shortest path subtask has to support negative edges (or you can use potential functions to handle those separately). I used D´Esopo-Pape algorithm there.
On my small input, the C++ version takes about 0.1s and the Python version takes about 1000s.
Here’s a part of the Python version:

Python
def min_cost_flow(self, desired_flow, src, sink):
    # Initialization
    self.adj = [[]] * self.n
    self.cost = [[0] * self.n for i in range(self.n)]
    self.capacity = [[0] * self.n for i in range(self.n)]

    # Some boring init code omitted...
    flow, cost = 0, 0
    d, p = [], []
    while flow < desired_flow:
        d, p = self.shortest_paths_from(src)

        f = desired_flow - flow
        cur = sink
        while cur != src:
            f = min(f, self.capacity[p[cur]][cur])
            cur = p[cur]

        # Send the flow
        flow += f
        cost += f * d[sink]
        cur = sink
        while cur != src:
            self.capacity[p[cur]][cur] -= f
            self.capacity[cur][p[cur]] += f
            cur = p[cur]

    return flow, cost;

And the shortest path subroutine:

Python
def shortest_paths_from(self, v0):
    d = [INF] * self.n
    p = [-1] * self.n
    d[v0] = 0
    m = [2] * self.n
    q = collections.deque()
    q.append(v0)

    while len(q) > 0:
        u = q.popleft()
        m[u] = 0;
        for v in self.adj[u]:
            if self.capacity[u][v] > 0 and \
                    d[v] > d[u] + self.cost[u][v]:
                d[v] = d[u] + self.cost[u][v]
                p[v] = u
                if m[v] == 2:
                    m[v] = 1
                    q.append(v)
                elif m[v] == 0:
                    m[v] = 1
                    q.appendleft(v)

    return d, p

And I assure you that the C++ version is essentially the same code, only written in C++.

Show Me the Slow

Well, I would guess that the shortest_paths_from is the suspect here and has the most share in the total running time. Let’s verify that. I wrote this decorator to measure the time a piece of code takes to run:

Python
global_info = collections.Counter()

def measure_time_by_key(time_key):
    def func_decorator(func):
        def decorator(*args, **kwargs):
            st = time.process_time_ns()
            return_value = func(*args, **kwargs)
            fin = time.process_time_ns()
            global_info[time_key] += fin - st
            return return_value
        return decorator

    return func_decorator

Let’s skip the cryptic syntax and see the usage:

Python
@measure_time_by_key("min_cost_flow")
def min_cost_flow(self, desired_flow, src, sink):
    ...

@measure_time_by_key("shortest_paths_from")
def shortest_paths_from(self, v0):
    ...

And you can see the results with:

Python
for k, v in global_info.items():
    print("{} took {:.3f} seconds".format(k, v/1e9))

You can pull off lots of ideas in the decorator, including saving different function params/args (excuse my illiteracy for not knowing which one to use when we’re in the “middle” of passing the values to the function) along with their corresponding running times. (Fun fact: This actually makes sense here. The bipartite graph is super “simple” in the beginning. This causes the shortest path problem to become “harder”, that is, to involve more edges in the residual graph as we send more flow, and this impacts D´Esopo-Pape greatly.)
This is pretty handy as you can measure time on a finer grain (than functions) too. For example, to measure the time it takes to manipulate the paths and apply the flow inside the while loop in min_cost_flow, we can indent the relevant lines into a local closure, capture the local variables, and measure the time it takes for the closure run:

Python
while ...:
    ...
    f = desired_flow - flow
    @measure_time_by_key("applying the flow")
    def _internal_apply_flow():
        nonlocal flow, cost, f
        cur = sink
        while cur != src:
            f = min(f, self.capacity[p[cur]][cur])
            cur = p[cur]

        # Send the flow
        flow += f
        cost += f * d[sink]
        cur = sink
        while cur != src:
            self.capacity[p[cur]][cur] -= f
            self.capacity[cur][p[cur]] += f
            cur = p[cur]

    _internal_apply_flow()

Pop quiz: Do you see why you should be careful when using this (or any method of measuring time) when functions call each other recursively?
Anyway, here’s the result in our case (for a VERY small input):

shortest_paths_from took 1.428 seconds
min_cost_flow took 1.431 seconds

I’ve heard deques are slow:

deque operations took 0.012 seconds
shortest_paths_from took 1.800 seconds
path_stuff took 0.000 seconds
min_cost_flow took 1.804 seconds

Well, not really. In hindsight though, this is obvious. Each operation on the queue may be expensive, but their count is way less than the number of times we just check whether or not we can update the shortest path using an edge:

Python
for v in self.adj[u]:
    if self.capacity[u][v] > 0 and \
            d[v] > d[u] + self.cost[u][v]:
        ...

This is proved to be the case when I looked at the number of times this is executed on average and simulated the process with deterministic number of iterations and a few memory accesses:

Python
def slow():
    for i in range(3363):
        for v in adj:
            u = (v + i)//100
            result = capacity[v][u] > 0 and \
                    d[v] > d[v] + cost[v][u]

The running time for this little piece of code is almost equal to the whole min-cost max-flow algorithm program.

To understand what’s happening here, I decided to look at the byte code of the original function:

Python
import dis
dis.dis(m.shortest_paths_from)

Here’s the important part:

Python
37          94 SETUP_LOOP             162 (to 258)
            96 LOAD_FAST                0 (self)
            98 LOAD_ATTR                7 (adj)
           100 LOAD_FAST                6 (u)
           102 BINARY_SUBSCR
           104 GET_ITER
       >>  106 FOR_ITER               148 (to 256)
           108 STORE_FAST               7 (v)

38         110 LOAD_FAST                0 (self)
           112 LOAD_ATTR                8 (capacity)
           114 LOAD_FAST                6 (u)
           116 BINARY_SUBSCR
           118 LOAD_FAST                7 (v)
           120 BINARY_SUBSCR
           122 LOAD_CONST               2 (0)
           124 COMPARE_OP               4 (>)
           126 POP_JUMP_IF_FALSE      106

39         128 LOAD_FAST                2 (d)
           130 LOAD_FAST                7 (v)
           132 BINARY_SUBSCR
           134 LOAD_FAST                2 (d)
           136 LOAD_FAST                6 (u)
           138 BINARY_SUBSCR
           140 LOAD_FAST                0 (self)
           142 LOAD_ATTR                9 (cost)
           144 LOAD_FAST                6 (u)
           146 BINARY_SUBSCR
           148 LOAD_FAST                7 (v)
           150 BINARY_SUBSCR
           152 BINARY_ADD
           154 COMPARE_OP               4 (>)
           156 POP_JUMP_IF_FALSE      106

40         158 LOAD_FAST                2 (d)
           160 LOAD_FAST                6 (u)
           162 BINARY_SUBSCR
           164 LOAD_FAST                0 (self)
           166 LOAD_ATTR                9 (cost)
           168 LOAD_FAST                6 (u)
           170 BINARY_SUBSCR
           172 LOAD_FAST                7 (v)
           174 BINARY_SUBSCR
           176 BINARY_ADD
           178 LOAD_FAST                2 (d)
           180 LOAD_FAST                7 (v)
           182 STORE_SUBSCR

41         184 LOAD_FAST                6 (u)
           186 LOAD_FAST                3 (p)
           188 LOAD_FAST                7 (v)
           190 STORE_SUBSCR

42         192 LOAD_FAST                4 (m)
           194 LOAD_FAST                7 (v)
           196 BINARY_SUBSCR
           198 LOAD_CONST               3 (2)
           200 COMPARE_OP               2 (==)
           202 POP_JUMP_IF_FALSE      224

43         204 LOAD_CONST               4 (1)
           206 LOAD_FAST                4 (m)
           208 LOAD_FAST                7 (v)
           210 STORE_SUBSCR

44         212 LOAD_FAST                5 (q)
           214 LOAD_METHOD              4 (append)
           216 LOAD_FAST                7 (v)
           218 CALL_METHOD              1
           220 POP_TOP
           222 JUMP_ABSOLUTE          106

45     >>  224 LOAD_FAST                4 (m)
           226 LOAD_FAST                7 (v)
           228 BINARY_SUBSCR
           230 LOAD_CONST               2 (0)
           232 COMPARE_OP               2 (==)
           234 POP_JUMP_IF_FALSE      106

46         236 LOAD_CONST               4 (1)
           238 LOAD_FAST                4 (m)
           240 LOAD_FAST                7 (v)
           242 STORE_SUBSCR

47         244 LOAD_FAST                5 (q)
           246 LOAD_METHOD             10 (appendleft)
           248 LOAD_FAST                7 (v)
           250 CALL_METHOD              1
           252 POP_TOP
           254 JUMP_ABSOLUTE          106
       >>  256 POP_BLOCK
       >>  258 JUMP_ABSOLUTE           64
       >>  260 POP_BLOCK

All I really saw at first glance was the number of LOAD operations. I’m sure you now agree with a completely unbiased opinion.

Now can we reduce the number of LOADs? Turns out we can. If we start thinking like the compiler and keep an open mind about losing code beauty while accounting for the shortcomings of the actual compiler, we can see that there are a few extra LOADs as the variable u is invariant throughout the inner loop. Therefore, we can change this:

Python
...
while len(q) > 0:
    u = q.popleft()
    m[u] = 0;
    for v in self.adj[u]:
        if self.capacity[u][v] > 0 and \
                d[v] > d[u] + self.cost[u][v]:
            d[v] = d[u] + self.cost[u][v]
            ...

to this:

Python
...
while len(q) > 0:
    u_capacities = self.capacity[u]
    u_current_d = d[u]
    u_costs = self.cost[u]
    for v in self.adj[u]:
        if u_capacities[v] > 0 and \
                d[v] > u_current_d + u_costs[v]:
            d[v] = u_current_d + u_costs[v]
            ...

extracting out the duplicate references.

Let’s see the results:

real    0m0.790s
user    0m0.776s
sys     0m0.010s

Unreal! The compiler hasn’t been doing any of these things. That’s about a 2x improvement in performance in the small synthesized test case from the original code (about 1.5 seconds).

On the bigger test case, this improves the running time from ~15 minutes to ~7 minutes.

Bottom Line

Unfortunately, I did lots more without anything to show for it. Almost everything else that I did (from using c native types to fooling around with how I stored things) resulted in degrading the performance.

I ended up achieving the performance that I was looking for by using another algorithm, but the question of why this (still) runs thousands of times slower than the cpp version remains open for me.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Canada Canada
I make things faster.

https://blog.farnasirim.ir

Comments and Discussions

 
QuestionStill calculating twice Pin
Pete Lomax Member 106645051-Jun-20 9:53
professionalPete Lomax Member 106645051-Jun-20 9:53 
QuestionScalar loops are not efficient in Python Pin
Member 430339928-May-20 8:30
Member 430339928-May-20 8:30 
AnswerRe: Scalar loops are not efficient in Python Pin
Mohammad Nasirifar28-May-20 8:38
Mohammad Nasirifar28-May-20 8:38 
AnswerRe: Scalar loops are not efficient in Python Pin
Asday28-May-20 13:16
Asday28-May-20 13:16 
To add to this, generally the way one would do such things is start with Python, find an implementation that works, then go "huh, this is slow", and turn it into C for the speedup.

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.