File: compare_performance.py

package info (click to toggle)
graphviz 14.0.5-2
  • links: PTS
  • area: main
  • in suites: forky, sid
  • size: 139,388 kB
  • sloc: ansic: 141,938; cpp: 11,957; python: 7,766; makefile: 4,043; yacc: 3,030; xml: 2,972; tcl: 2,495; sh: 1,388; objc: 1,159; java: 560; lex: 423; perl: 243; awk: 156; pascal: 139; php: 58; ruby: 49; cs: 31; sed: 1
file content (191 lines) | stat: -rw-r--r-- 5,731 bytes parent folder | download | duplicates (2)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
#!/usr/bin/env python3

"""
compare the runtime performance of two different versions of Graphviz

When making changes to Graphviz’ code that may affect performance, you can use this
script to evaluate the effect of your changes:

  python3 compare_performance.py \
    /path/to/install/before/bin/dot /path/to/install/after/bin/dot

This will run various known expensive workloads and report the relative performance of
the two or more versions you gave it as tabulated results.
"""

import argparse
import io
import os
import platform
import shlex
import shutil
import subprocess
import sys
import time
from pathlib import Path
from typing import Union

import tabulate

MY_DIR = Path(__file__).resolve().parent
"""
path to our containing directory
"""

TESTS: dict[str, list[Union[str, Path]]] = {
    "#1172 1": ["dot", "-Ln3", "-Txdot", MY_DIR / "1172_1.xdot"],
    "#1172 2": ["dot", "-Ln3", "-Txdot", MY_DIR / "1172_2.xdot"],
    "#1652": ["neato", "-Tsvg", MY_DIR / "1652.dot"],
    "#1718": ["circo", "-Tsvg", MY_DIR / "1718.dot"],
    "#1864": ["neato", "-Tsvg", MY_DIR / "1864.dot"],
    "#2064": [
        "dot",
        "-Gnslimit=2",
        "-Gnslimit1=2",
        "-Gmaxiter=5000",
        "-Tsvg",
        MY_DIR / "2064.dot",
    ],
    "#2095": ["dot", "-Tsvg", MY_DIR / "2095_1.dot"],
    "#2108": ["dot", "-Tsvg", MY_DIR / "2108.dot"],
    "#2222": ["dot", "-Tsvg", MY_DIR / "2222.dot"],
    "#2343": ["dot", "-Tpng", MY_DIR / "2343.dot"],
    "#2475 1": [
        "dot",
        "-Gnslimit=2",
        "-Gnslimit1=2",
        "-Gmclimit=.33",
        "-Gremincross=false",
        "-Gsearchsize=20",
        "-Gsplines=false",
        "-Tsvg",
        MY_DIR / "2475_1.dot",
    ],
    "#2475 2": [
        "dot",
        "-Gnslimit=2",
        "-Gnslimit1=2",
        "-Gmclimit=.33",
        "-Gremincross=false",
        "-Gsearchsize=20",
        "-Gsplines=false",
        "-Tsvg",
        MY_DIR / "2475_2.dot",
    ],
    "#2593": ["ccomps", MY_DIR / "2593.dot"],
    "#2621": ["dot", "-Tpng", MY_DIR / "2621.dot"],
    "#2646": ["dot", "-Tpdf", MY_DIR / "2646.dot"],
    "!2854": ["dot", "-Tsvg", MY_DIR / "2854.dot"],
}
"""
relevant workloads to evaluate

Entries are a test name mapped to a command to run. Commands will all have an
implicit `-o /dev/null` added to them when executed.
"""


def run(args: list[Union[str, Path]], root: Union[str, Path]):
    """
    run a command, pre-echoing it like Bash’s `set -x`

    Args:
        args: Command line to run
        root: Root directory of the Graphviz installation under test
    """
    assert len(args) > 0

    exe = root / "bin"
    lib = root / "lib"

    env = os.environ.copy()
    if platform.system() == "Darwin":
        if "DYLD_LIBRARY_PATH" in env:
            env["DYLD_LIBRARY_PATH"] = f"{lib}{os.pathsep}{env['DYLD_LIBRARY_PATH']}"
            prefix = f'DYLD_LIBRARY_PATH="{lib}{os.pathsep}${{DYLD_LIBRARY_PATH}}"'
        else:
            env["DYLD_LIBRARY_PATH"] = str(lib)
            prefix = f'DYLD_LIBRARY_PATH="{lib}"'
    else:
        if "LD_LIBRARY_PATH" in env:
            env["LD_LIBRARY_PATH"] = f"{lib}{os.pathsep}{env['LD_LIBRARY_PATH']}"
            prefix = f'LD_LIBRARY_PATH="{lib}{os.pathsep}${{LD_LIBRARY_PATH}}"'
        else:
            env["LD_LIBRARY_PATH"] = str(lib)
            prefix = f'LD_LIBRARY_PATH="{lib}"'

    arg0 = shutil.which(args[0], path=exe)
    assert arg0 is not None, "{args[0]} not found in installation {root}"
    argv = [arg0] + args[1:] + ["-o", os.devnull]

    print(f"+ env {prefix} {shlex.join(str(x) for x in argv)}")
    proc = subprocess.run(argv, check=False)
    if proc.returncode != 0:
        print(f"warning: command returned {proc.returncode}")


def pretty_time(duration: float):
    """turn a count of seconds into XXhXXmXXs"""
    hours = int(duration / 60 / 60)
    minutes = int(duration / 60 % 60)
    seconds = int(duration % 60)
    return f"{hours}h{minutes:02}m{seconds:02}s"


def main(args: list[str]) -> int:
    """entry point"""

    # parse command line options
    parser = argparse.ArgumentParser(description=__doc__)
    parser.add_argument(
        "candidate",
        type=argparse.FileType("rb"),
        nargs="+",
        help="Graphviz binaries to compare",
    )
    options = parser.parse_args(args[1:])

    # derive installation roots
    roots = []
    for dot in options.candidate:
        exe = Path(dot.name).resolve()
        roots += [exe.parents[1]]
    headers = ["test case"] + roots

    print(f"Comparing {[str(r) for r in roots]}…")

    results: list[list[str]] = []
    for name, cmd in TESTS.items():
        result = []
        for root in roots:
            start = time.monotonic()
            run(cmd, root)
            stop = time.monotonic()
            result += [stop - start]

            # dump results progress, so that if the user interrupts they still have
            # something partial to analyze
            row = [name]
            for index, r in enumerate(result):
                cell = io.StringIO()
                if index != 0:
                    if r < result[0]:
                        cell.write("\033[32m")  # green
                    elif r > result[0]:
                        cell.write("\033[31m")  # red
                cell.write(pretty_time(r))
                if index != 0:
                    cell.write(f" ({int((r - result[0]) / result[0]  * 100)}%)\033[0m")
                row += [cell.getvalue()]
            print(
                tabulate.tabulate(
                    results + [row], headers=headers, tablefmt="simple_outline"
                )
            )
        results += [row]

    return 0


if __name__ == "__main__":
    sys.exit(main(sys.argv))