blob: d7cf1e2fca99e9c56396357b287e69b160036e55 [file] [log] [blame]
csmartdalton4b5179b2016-09-19 11:03:58 -07001#!/usr/bin/env python
2
3# Copyright 2016 Google Inc.
4#
5# Use of this source code is governed by a BSD-style license that can be
6# found in the LICENSE file.
7
8from __future__ import print_function
9from _benchresult import BenchResult
10from argparse import ArgumentParser
csmartdaltonc6618dd2016-10-05 08:42:03 -070011from collections import defaultdict, namedtuple
csmartdalton4b5179b2016-09-19 11:03:58 -070012from datetime import datetime
csmartdalton4b5179b2016-09-19 11:03:58 -070013import operator
14import os
15import sys
16import tempfile
17import urllib
18import urlparse
19import webbrowser
20
csmartdaltonbf41fa82016-09-23 11:36:11 -070021__argparse = ArgumentParser(description="""
csmartdalton4b5179b2016-09-19 11:03:58 -070022
Kevin Lubick9c2249f2016-11-10 14:19:00 -050023Formats skpbench.py outputs as csv.
csmartdalton4b5179b2016-09-19 11:03:58 -070024
25This script can also be used to generate a Google sheet:
26
27(1) Install the "Office Editing for Docs, Sheets & Slides" Chrome extension:
28 https://chrome.google.com/webstore/detail/office-editing-for-docs-s/gbkeegbaiigmenfmjfclcdgdpimamgkj
29
csmartdaltonc6618dd2016-10-05 08:42:03 -070030(2) Update your global OS file associations to use Chrome for .csv files.
csmartdalton4b5179b2016-09-19 11:03:58 -070031
32(3) Run parseskpbench.py with the --open flag.
33
csmartdaltonbf41fa82016-09-23 11:36:11 -070034""")
csmartdalton4b5179b2016-09-19 11:03:58 -070035
36__argparse.add_argument('-r', '--result',
Kevin Lubick9c2249f2016-11-10 14:19:00 -050037 choices=['accum', 'median', 'max', 'min'], default='accum',
38 help="result to use for cell values")
csmartdalton4b5179b2016-09-19 11:03:58 -070039__argparse.add_argument('-f', '--force',
Kevin Lubick9c2249f2016-11-10 14:19:00 -050040 action='store_true', help='silently ignore warnings')
csmartdalton4b5179b2016-09-19 11:03:58 -070041__argparse.add_argument('-o', '--open',
Kevin Lubick9c2249f2016-11-10 14:19:00 -050042 action='store_true',
43 help="generate a temp file and open it (theoretically in a web browser)")
csmartdalton4b5179b2016-09-19 11:03:58 -070044__argparse.add_argument('-n', '--name',
Kevin Lubick9c2249f2016-11-10 14:19:00 -050045 default='skpbench_%s' % datetime.now().strftime('%Y-%m-%d_%H.%M.%S.csv'),
46 help="if using --open, a name for the temp file")
csmartdalton4b5179b2016-09-19 11:03:58 -070047__argparse.add_argument('sources',
Kevin Lubick9c2249f2016-11-10 14:19:00 -050048 nargs='+', help="source files that contain skpbench results ('-' for stdin)")
csmartdalton4b5179b2016-09-19 11:03:58 -070049
50FLAGS = __argparse.parse_args()
51
csmartdaltonc6618dd2016-10-05 08:42:03 -070052RESULT_QUALIFIERS = ('sample_ms', 'clock', 'metric')
53
54class FullConfig(namedtuple('fullconfig', ('config',) + RESULT_QUALIFIERS)):
55 def qualified_name(self, qualifiers=RESULT_QUALIFIERS):
56 return get_qualified_name(self.config.replace(',', ' '),
57 {x:getattr(self, x) for x in qualifiers})
58
59def get_qualified_name(name, qualifiers):
60 if not qualifiers:
61 return name
62 else:
63 args = ('%s=%s' % (k,v) for k,v in qualifiers.iteritems())
64 return '%s (%s)' % (name, ' '.join(args))
csmartdalton4b5179b2016-09-19 11:03:58 -070065
66class Parser:
67 def __init__(self):
csmartdaltonc6618dd2016-10-05 08:42:03 -070068 self.sheet_qualifiers = {x:None for x in RESULT_QUALIFIERS}
69 self.config_qualifiers = set()
70 self.fullconfigs = list() # use list to preserve the order.
71 self.rows = defaultdict(dict)
72 self.cols = defaultdict(dict)
csmartdalton4b5179b2016-09-19 11:03:58 -070073
74 def parse_file(self, infile):
75 for line in infile:
76 match = BenchResult.match(line)
77 if not match:
78 continue
csmartdaltonc6618dd2016-10-05 08:42:03 -070079
80 fullconfig = FullConfig(*(match.get_string(x)
81 for x in FullConfig._fields))
82 if not fullconfig in self.fullconfigs:
83 self.fullconfigs.append(fullconfig)
84
85 for qualifier, value in self.sheet_qualifiers.items():
86 if value is None:
87 self.sheet_qualifiers[qualifier] = match.get_string(qualifier)
88 elif value != match.get_string(qualifier):
89 del self.sheet_qualifiers[qualifier]
90 self.config_qualifiers.add(qualifier)
91
92 self.rows[match.bench][fullconfig] = match.get_string(FLAGS.result)
93 self.cols[fullconfig][match.bench] = getattr(match, FLAGS.result)
csmartdalton4b5179b2016-09-19 11:03:58 -070094
95 def print_csv(self, outfile=sys.stdout):
csmartdaltonc6618dd2016-10-05 08:42:03 -070096 # Write the title.
97 print(get_qualified_name(FLAGS.result, self.sheet_qualifiers), file=outfile)
csmartdalton4b5179b2016-09-19 11:03:58 -070098
99 # Write the header.
100 outfile.write('bench,')
csmartdaltonc6618dd2016-10-05 08:42:03 -0700101 for fullconfig in self.fullconfigs:
102 outfile.write('%s,' % fullconfig.qualified_name(self.config_qualifiers))
csmartdalton4b5179b2016-09-19 11:03:58 -0700103 outfile.write('\n')
104
105 # Write the rows.
csmartdaltonc6618dd2016-10-05 08:42:03 -0700106 for bench, row in self.rows.iteritems():
csmartdalton4b5179b2016-09-19 11:03:58 -0700107 outfile.write('%s,' % bench)
csmartdaltonc6618dd2016-10-05 08:42:03 -0700108 for fullconfig in self.fullconfigs:
109 if fullconfig in row:
110 outfile.write('%s,' % row[fullconfig])
csmartdalton4b5179b2016-09-19 11:03:58 -0700111 elif FLAGS.force:
csmartdaltonc6618dd2016-10-05 08:42:03 -0700112 outfile.write('NULL,')
csmartdalton4b5179b2016-09-19 11:03:58 -0700113 else:
csmartdaltond7a9db62016-09-22 05:10:02 -0700114 raise ValueError("%s: missing value for %s. (use --force to ignore)" %
csmartdaltonc6618dd2016-10-05 08:42:03 -0700115 (bench,
116 fullconfig.qualified_name(self.config_qualifiers)))
csmartdalton4b5179b2016-09-19 11:03:58 -0700117 outfile.write('\n')
118
119 # Add simple, literal averages.
120 if len(self.rows) > 1:
121 outfile.write('\n')
csmartdaltonc6618dd2016-10-05 08:42:03 -0700122 self._print_computed_row('MEAN',
csmartdalton4b5179b2016-09-19 11:03:58 -0700123 lambda col: reduce(operator.add, col.values()) / len(col),
124 outfile=outfile)
csmartdaltonc6618dd2016-10-05 08:42:03 -0700125 self._print_computed_row('GEOMEAN',
csmartdalton4b5179b2016-09-19 11:03:58 -0700126 lambda col: reduce(operator.mul, col.values()) ** (1.0 / len(col)),
127 outfile=outfile)
128
csmartdaltonc6618dd2016-10-05 08:42:03 -0700129 def _print_computed_row(self, name, func, outfile=sys.stdout):
csmartdalton4b5179b2016-09-19 11:03:58 -0700130 outfile.write('%s,' % name)
csmartdaltonc6618dd2016-10-05 08:42:03 -0700131 for fullconfig in self.fullconfigs:
132 if len(self.cols[fullconfig]) != len(self.rows):
133 outfile.write('NULL,')
134 continue
135 outfile.write('%.4g,' % func(self.cols[fullconfig]))
csmartdalton4b5179b2016-09-19 11:03:58 -0700136 outfile.write('\n')
137
csmartdalton4b5179b2016-09-19 11:03:58 -0700138def main():
139 parser = Parser()
140
141 # Parse the input files.
142 for src in FLAGS.sources:
143 if src == '-':
144 parser.parse_file(sys.stdin)
145 else:
146 with open(src, mode='r') as infile:
147 parser.parse_file(infile)
148
149 # Print the csv.
150 if not FLAGS.open:
151 parser.print_csv()
152 else:
153 dirname = tempfile.mkdtemp()
154 basename = FLAGS.name
155 if os.path.splitext(basename)[1] != '.csv':
156 basename += '.csv';
157 pathname = os.path.join(dirname, basename)
158 with open(pathname, mode='w') as tmpfile:
159 parser.print_csv(outfile=tmpfile)
160 fileuri = urlparse.urljoin('file:', urllib.pathname2url(pathname))
161 print('opening %s' % fileuri)
162 webbrowser.open(fileuri)
163
164
165if __name__ == '__main__':
166 main()