blob: f2603f944b807f17d045dbefa23e0083617782ab [file] [log] [blame]
bungeman@google.com85669f92011-06-17 13:58:14 +00001'''
2Created on May 19, 2011
3
4@author: bungeman
5'''
6
7import re
8import math
9
bensong@google.comd3fd98f2012-12-18 20:06:10 +000010# bench representation algorithm constant names
11ALGORITHM_AVERAGE = 'avg'
12ALGORITHM_MEDIAN = 'med'
13ALGORITHM_MINIMUM = 'min'
14ALGORITHM_25TH_PERCENTILE = '25th'
15
epoger@google.comad91d922013-02-14 18:35:17 +000016# Regular expressions used throughout
17PER_SETTING_RE = '([^\s=]+)(?:=(\S+))?'
18SETTINGS_RE = 'skia bench:((?:\s+' + PER_SETTING_RE + ')*)'
19BENCH_RE = 'running bench (?:\[\d+ \d+\] )?\s*(\S+)'
epoger@google.come657a252013-08-13 15:12:33 +000020TIME_RE = '(?:(\w*)msecs = )?\s*((?:\d+\.\d+)(?:,\s*\d+\.\d+)*)'
epoger@google.comad91d922013-02-14 18:35:17 +000021# non-per-tile benches have configs that don't end with ']' or '>'
22CONFIG_RE = '(\S+[^\]>]): ((?:' + TIME_RE + '\s+)+)'
23# per-tile bench lines are in the following format. Note that there are
24# non-averaged bench numbers in separate lines, which we ignore now due to
25# their inaccuracy.
26TILE_RE = (' tile_(\S+): tile \[\d+,\d+\] out of \[\d+,\d+\] <averaged>:'
27 ' ((?:' + TIME_RE + '\s+)+)')
28# for extracting tile layout
29TILE_LAYOUT_RE = ' out of \[(\d+),(\d+)\] <averaged>: '
30
31PER_SETTING_RE_COMPILED = re.compile(PER_SETTING_RE)
32SETTINGS_RE_COMPILED = re.compile(SETTINGS_RE)
33BENCH_RE_COMPILED = re.compile(BENCH_RE)
34TIME_RE_COMPILED = re.compile(TIME_RE)
35CONFIG_RE_COMPILED = re.compile(CONFIG_RE)
36TILE_RE_COMPILED = re.compile(TILE_RE)
37TILE_LAYOUT_RE_COMPILED = re.compile(TILE_LAYOUT_RE)
38
bungeman@google.com85669f92011-06-17 13:58:14 +000039class BenchDataPoint:
40 """A single data point produced by bench.
bensong@google.comd3fd98f2012-12-18 20:06:10 +000041
bensong@google.comba98f952013-02-13 23:22:29 +000042 (str, str, str, float, {str:str}, str, [floats])"""
43 def __init__(self, bench, config, time_type, time, settings,
44 tile_layout='', per_tile_values=[]):
bungeman@google.com85669f92011-06-17 13:58:14 +000045 self.bench = bench
46 self.config = config
47 self.time_type = time_type
48 self.time = time
49 self.settings = settings
bensong@google.comba98f952013-02-13 23:22:29 +000050 # how tiles cover the whole picture. '5x3' means 5 columns and 3 rows.
51 self.tile_layout = tile_layout
52 # list of per_tile bench values, if applicable
53 self.per_tile_values = per_tile_values
bensong@google.comd3fd98f2012-12-18 20:06:10 +000054
bungeman@google.com85669f92011-06-17 13:58:14 +000055 def __repr__(self):
56 return "BenchDataPoint(%s, %s, %s, %s, %s)" % (
57 str(self.bench),
58 str(self.config),
59 str(self.time_type),
60 str(self.time),
61 str(self.settings),
62 )
bensong@google.comd3fd98f2012-12-18 20:06:10 +000063
bungeman@google.com85669f92011-06-17 13:58:14 +000064class _ExtremeType(object):
65 """Instances of this class compare greater or less than other objects."""
66 def __init__(self, cmpr, rep):
67 object.__init__(self)
68 self._cmpr = cmpr
69 self._rep = rep
bensong@google.comd3fd98f2012-12-18 20:06:10 +000070
bungeman@google.com85669f92011-06-17 13:58:14 +000071 def __cmp__(self, other):
72 if isinstance(other, self.__class__) and other._cmpr == self._cmpr:
73 return 0
74 return self._cmpr
bensong@google.comd3fd98f2012-12-18 20:06:10 +000075
bungeman@google.com85669f92011-06-17 13:58:14 +000076 def __repr__(self):
77 return self._rep
78
79Max = _ExtremeType(1, "Max")
80Min = _ExtremeType(-1, "Min")
81
bensong@google.comb6204b12012-08-16 20:49:28 +000082class _ListAlgorithm(object):
83 """Algorithm for selecting the representation value from a given list.
bensong@google.comd3fd98f2012-12-18 20:06:10 +000084 representation is one of the ALGORITHM_XXX representation types."""
bensong@google.comb6204b12012-08-16 20:49:28 +000085 def __init__(self, data, representation=None):
86 if not representation:
bensong@google.comd3fd98f2012-12-18 20:06:10 +000087 representation = ALGORITHM_AVERAGE # default algorithm
bensong@google.comb6204b12012-08-16 20:49:28 +000088 self._data = data
89 self._len = len(data)
bensong@google.comd3fd98f2012-12-18 20:06:10 +000090 if representation == ALGORITHM_AVERAGE:
bensong@google.comb6204b12012-08-16 20:49:28 +000091 self._rep = sum(self._data) / self._len
92 else:
93 self._data.sort()
bensong@google.comd3fd98f2012-12-18 20:06:10 +000094 if representation == ALGORITHM_MINIMUM:
bensong@google.comb6204b12012-08-16 20:49:28 +000095 self._rep = self._data[0]
96 else:
97 # for percentiles, we use the value below which x% of values are
98 # found, which allows for better detection of quantum behaviors.
bensong@google.comd3fd98f2012-12-18 20:06:10 +000099 if representation == ALGORITHM_MEDIAN:
bensong@google.comb6204b12012-08-16 20:49:28 +0000100 x = int(round(0.5 * self._len + 0.5))
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000101 elif representation == ALGORITHM_25TH_PERCENTILE:
bensong@google.comb6204b12012-08-16 20:49:28 +0000102 x = int(round(0.25 * self._len + 0.5))
103 else:
104 raise Exception("invalid representation algorithm %s!" %
105 representation)
106 self._rep = self._data[x - 1]
107
108 def compute(self):
109 return self._rep
110
epoger@google.comad91d922013-02-14 18:35:17 +0000111def _ParseAndStoreTimes(config_re_compiled, is_per_tile, line, bench,
112 value_dic, layout_dic, representation=None):
bensong@google.comba98f952013-02-13 23:22:29 +0000113 """Parses given bench time line with regex and adds data to value_dic.
epoger@google.comad91d922013-02-14 18:35:17 +0000114
115 config_re_compiled: precompiled regular expression for parsing the config
116 line.
117 is_per_tile: boolean indicating whether this is a per-tile bench.
118 If so, we add tile layout into layout_dic as well.
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000119 line: input string line to parse.
120 bench: name of bench for the time values.
bensong@google.comba98f952013-02-13 23:22:29 +0000121 value_dic: dictionary to store bench values. See bench_dic in parse() below.
122 layout_dic: dictionary to store tile layouts. See parse() for descriptions.
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000123 representation: should match one of the ALGORITHM_XXX types."""
124
epoger@google.comad91d922013-02-14 18:35:17 +0000125 for config in config_re_compiled.finditer(line):
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000126 current_config = config.group(1)
bensong@google.comba98f952013-02-13 23:22:29 +0000127 tile_layout = ''
epoger@google.comad91d922013-02-14 18:35:17 +0000128 if is_per_tile: # per-tile bench, add name prefix
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000129 current_config = 'tile_' + current_config
epoger@google.comad91d922013-02-14 18:35:17 +0000130 layouts = TILE_LAYOUT_RE_COMPILED.search(line)
bensong@google.comba98f952013-02-13 23:22:29 +0000131 if layouts and len(layouts.groups()) == 2:
132 tile_layout = '%sx%s' % layouts.groups()
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000133 times = config.group(2)
epoger@google.comad91d922013-02-14 18:35:17 +0000134 for new_time in TIME_RE_COMPILED.finditer(times):
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000135 current_time_type = new_time.group(1)
136 iters = [float(i) for i in
137 new_time.group(2).strip().split(',')]
bensong@google.comba98f952013-02-13 23:22:29 +0000138 value_dic.setdefault(bench, {}).setdefault(
139 current_config, {}).setdefault(current_time_type, []).append(
140 _ListAlgorithm(iters, representation).compute())
141 layout_dic.setdefault(bench, {}).setdefault(
142 current_config, {}).setdefault(current_time_type, tile_layout)
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000143
144def parse(settings, lines, representation=None):
bungeman@google.com85669f92011-06-17 13:58:14 +0000145 """Parses bench output into a useful data structure.
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000146
bensong@google.com87348162012-08-15 17:31:46 +0000147 ({str:str}, __iter__ -> str) -> [BenchDataPoint]
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000148 representation is one of the ALGORITHM_XXX types."""
149
bungeman@google.com85669f92011-06-17 13:58:14 +0000150 benches = []
151 current_bench = None
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000152 bench_dic = {} # [bench][config][time_type] -> [list of bench values]
bensong@google.comba98f952013-02-13 23:22:29 +0000153 # [bench][config][time_type] -> tile_layout
154 layout_dic = {}
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000155
bungeman@google.com85669f92011-06-17 13:58:14 +0000156 for line in lines:
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000157
158 # see if this line is a settings line
epoger@google.comad91d922013-02-14 18:35:17 +0000159 settingsMatch = SETTINGS_RE_COMPILED.search(line)
bungeman@google.com85669f92011-06-17 13:58:14 +0000160 if (settingsMatch):
161 settings = dict(settings)
epoger@google.comad91d922013-02-14 18:35:17 +0000162 for settingMatch in PER_SETTING_RE_COMPILED.finditer(settingsMatch.group(1)):
bungeman@google.com85669f92011-06-17 13:58:14 +0000163 if (settingMatch.group(2)):
164 settings[settingMatch.group(1)] = settingMatch.group(2)
165 else:
166 settings[settingMatch.group(1)] = True
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000167
168 # see if this line starts a new bench
epoger@google.comad91d922013-02-14 18:35:17 +0000169 new_bench = BENCH_RE_COMPILED.search(line)
bungeman@google.com85669f92011-06-17 13:58:14 +0000170 if new_bench:
171 current_bench = new_bench.group(1)
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000172
173 # add configs on this line to the bench_dic
bungeman@google.com85669f92011-06-17 13:58:14 +0000174 if current_bench:
epoger@google.comedb711b2013-02-17 08:59:56 +0000175 if line.startswith(' tile_') :
176 _ParseAndStoreTimes(TILE_RE_COMPILED, True, line, current_bench,
177 bench_dic, layout_dic, representation)
178 else:
179 _ParseAndStoreTimes(CONFIG_RE_COMPILED, False, line,
180 current_bench,
181 bench_dic, layout_dic, representation)
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000182
183 # append benches to list, use the total time as final bench value.
184 for bench in bench_dic:
185 for config in bench_dic[bench]:
186 for time_type in bench_dic[bench][config]:
bensong@google.comba98f952013-02-13 23:22:29 +0000187 tile_layout = ''
188 per_tile_values = []
189 if len(bench_dic[bench][config][time_type]) > 1:
190 # per-tile values, extract tile_layout
191 per_tile_values = bench_dic[bench][config][time_type]
192 tile_layout = layout_dic[bench][config][time_type]
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000193 benches.append(BenchDataPoint(
194 bench,
195 config,
196 time_type,
197 sum(bench_dic[bench][config][time_type]),
bensong@google.comba98f952013-02-13 23:22:29 +0000198 settings,
199 tile_layout,
200 per_tile_values))
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000201
bungeman@google.com85669f92011-06-17 13:58:14 +0000202 return benches
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000203
bungeman@google.com85669f92011-06-17 13:58:14 +0000204class LinearRegression:
205 """Linear regression data based on a set of data points.
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000206
bungeman@google.com85669f92011-06-17 13:58:14 +0000207 ([(Number,Number)])
208 There must be at least two points for this to make sense."""
209 def __init__(self, points):
210 n = len(points)
211 max_x = Min
212 min_x = Max
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000213
bungeman@google.com85669f92011-06-17 13:58:14 +0000214 Sx = 0.0
215 Sy = 0.0
216 Sxx = 0.0
217 Sxy = 0.0
218 Syy = 0.0
219 for point in points:
220 x = point[0]
221 y = point[1]
222 max_x = max(max_x, x)
223 min_x = min(min_x, x)
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000224
bungeman@google.com85669f92011-06-17 13:58:14 +0000225 Sx += x
226 Sy += y
227 Sxx += x*x
228 Sxy += x*y
229 Syy += y*y
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000230
senorblanco@chromium.orgc5e1ed82012-09-20 19:05:33 +0000231 denom = n*Sxx - Sx*Sx
232 if (denom != 0.0):
233 B = (n*Sxy - Sx*Sy) / denom
234 else:
235 B = 0.0
bungeman@google.com85669f92011-06-17 13:58:14 +0000236 a = (1.0/n)*(Sy - B*Sx)
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000237
bungeman@google.com85669f92011-06-17 13:58:14 +0000238 se2 = 0
239 sB2 = 0
240 sa2 = 0
senorblanco@chromium.orgc5e1ed82012-09-20 19:05:33 +0000241 if (n >= 3 and denom != 0.0):
242 se2 = (1.0/(n*(n-2)) * (n*Syy - Sy*Sy - B*B*denom))
243 sB2 = (n*se2) / denom
bungeman@google.com85669f92011-06-17 13:58:14 +0000244 sa2 = sB2 * (1.0/n) * Sxx
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000245
246
bungeman@google.com85669f92011-06-17 13:58:14 +0000247 self.slope = B
248 self.intercept = a
249 self.serror = math.sqrt(max(0, se2))
250 self.serror_slope = math.sqrt(max(0, sB2))
251 self.serror_intercept = math.sqrt(max(0, sa2))
252 self.max_x = max_x
253 self.min_x = min_x
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000254
bungeman@google.com85669f92011-06-17 13:58:14 +0000255 def __repr__(self):
256 return "LinearRegression(%s, %s, %s, %s, %s)" % (
257 str(self.slope),
258 str(self.intercept),
259 str(self.serror),
260 str(self.serror_slope),
261 str(self.serror_intercept),
262 )
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000263
bungeman@google.com85669f92011-06-17 13:58:14 +0000264 def find_min_slope(self):
265 """Finds the minimal slope given one standard deviation."""
266 slope = self.slope
267 intercept = self.intercept
268 error = self.serror
269 regr_start = self.min_x
270 regr_end = self.max_x
271 regr_width = regr_end - regr_start
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000272
bungeman@google.com85669f92011-06-17 13:58:14 +0000273 if slope < 0:
274 lower_left_y = slope*regr_start + intercept - error
275 upper_right_y = slope*regr_end + intercept + error
276 return min(0, (upper_right_y - lower_left_y) / regr_width)
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000277
bungeman@google.com85669f92011-06-17 13:58:14 +0000278 elif slope > 0:
279 upper_left_y = slope*regr_start + intercept + error
280 lower_right_y = slope*regr_end + intercept - error
281 return max(0, (lower_right_y - upper_left_y) / regr_width)
bensong@google.comd3fd98f2012-12-18 20:06:10 +0000282
bungeman@google.com85669f92011-06-17 13:58:14 +0000283 return 0
epoger@google.comc71174d2011-08-08 17:19:23 +0000284
285def CreateRevisionLink(revision_number):
286 """Returns HTML displaying the given revision number and linking to
287 that revision's change page at code.google.com, e.g.
288 http://code.google.com/p/skia/source/detail?r=2056
289 """
290 return '<a href="http://code.google.com/p/skia/source/detail?r=%s">%s</a>'%(
291 revision_number, revision_number)
senorblanco@chromium.orgc5e1ed82012-09-20 19:05:33 +0000292
293def main():
294 foo = [[0.0, 0.0], [0.0, 1.0], [0.0, 2.0], [0.0, 3.0]]
295 LinearRegression(foo)
296
297if __name__ == "__main__":
298 main()