forked from dslomov/bazel-gardening-tools
-
Notifications
You must be signed in to change notification settings - Fork 0
/
upload.py
executable file
·297 lines (252 loc) · 9.48 KB
/
upload.py
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
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
#!/usr/bin/env python3
"""Upload to database.
- takes daily cummulative download counts,
- diffs from previous day
- uploads record with cummulative and daily count
"""
import argparse
import collections
import datetime
import sys
import cloudsql
DownloadSample = collections.namedtuple(
'DownloadSample',
'file sample_date product version arch os extension installer'
' downloads downloads_total sha256 sha256_total sig sig_total')
DownloadSample.__new__.__defaults__ = (None,) * 14
_VERBOSE = False
# Report changes if they are over a given size and jumped by the given
# percentage
_MIN_DOWNLOADS_FOR_REPORTING = 10
_PERCENTAGE_CHANGE_TO_REPORT = 1.15
def none_to_null(s):
if s == 'None':
return ''
return s
def str_to_date(s):
return datetime.datetime.strptime(s, '%Y-%m-%d').date()
def date_to_str(dt):
return dt.strftime('%Y-%m-%d')
def gather_previous_downloads(connection, trailing_days):
"""Get trailing_days worth of download records.
Args:
trailing_days: Number of days to look back in histroy.
Returns:
map: (product, filename, version, day) -> DownloadSample
"""
ret = {}
max_day = str_to_date('2019-01-01')
with connection.cursor() as cursor:
cursor.execute(
"""
select product, filename, version, sample_date,
downloads, downloads_total,
sha256, sha256_total,
sig, sig_total
from gh_downloads
where sample_date >= date_sub(curdate(), interval %d day)
""" % (trailing_days))
while True:
try:
row = cursor.fetchone()
if not row:
break
except Exception as e:
print(e)
continue
if row:
product = row['product']
filename = row['filename']
version = row['version']
sample_date = row['sample_date']
downloads = row['downloads']
downloads_total = row['downloads_total']
sha256 = row['sha256']
sha256_total = row['sha256_total']
sig = row['sig']
sig_total = row['sig_total']
ret[(product, filename, version, sample_date)] = DownloadSample(
product=product,
file=filename,
version=version,
sample_date=sample_date,
downloads= downloads,
downloads_total=downloads_total,
sha256=sha256,
sha256_total=sha256_total,
sig=sig,
sig_total=sig_total,
arch='',
os='',
extension='',
installer='')
max_day = sample_date if sample_date > max_day else max_day
print('Maximum day is', date_to_str(max_day))
return ret
class DailyCountUploader(object):
def __init__(self, history, connection, window=1, backfill=True,
dry_run=True):
# map: (product, filename, version, date) -> DownloadSample
# Note that date is datetime.date, not a string of the date.
self.history = history
self.connection = connection
self.window = window
self.backfill = backfill
self.dry_run = dry_run
self.cursor = None
def upload_file(self, file):
if not self.dry_run:
self.cursor = self.connection.cursor()
with open(file, 'r') as inp:
print('uploading:', file)
for line in inp:
# ymd | hm | repo | file | tag | count | #sha | #sig | product | version | arch | os
# extension
parts = line.strip().split('|')
sample = DownloadSample(
file=parts[3],
sample_date=str_to_date(parts[0]),
downloads_total=int(parts[5]),
sha256_total=int(parts[6]),
sig_total=int(parts[7]),
product=parts[8],
version=none_to_null(parts[9]),
arch=none_to_null(parts[10]),
os=none_to_null(parts[11]),
extension=none_to_null(parts[12]),
installer=parts[13] == 'installer',
downloads=0,
sha256=0,
sig=0)
self.process_sample(sample)
if not self.dry_run:
self.cursor.close()
self.connection.commit()
def process_sample(self, sample):
"""Handle a download record.
- compute download delta from previous (or earlier) day
- (maybe) smooth sample over all days since last sample
Args:
sample: DownloadSample
"""
downloads = sha256 = sig = 0
if self.history.get(
(sample.product, sample.file, sample.version, sample.sample_date)):
raise Exception('We have already loaded %s %s %s %s' % (
sample.product, sample.file, sample.version, sample.sample_date))
previous = None
days_to_previous = 0
while not previous and days_to_previous <= self.window:
days_to_previous += 1
previous_date = sample.sample_date - datetime.timedelta(days=days_to_previous)
previous = self.history.get(
(sample.product, sample.file, sample.version, previous_date))
if not previous:
print(sample.product, sample.file, sample.version, sample.sample_date,
'=No history')
else:
downloads = sample.downloads_total - previous.downloads_total
sha256 = sample.sha256_total - previous.sha256_total
sig = sample.sig_total - previous.sig_total
# days_to_fill includes today.
days_to_fill = (sample.sample_date - previous_date).days
if days_to_fill != days_to_previous:
print("GOT WRONG CALC for days_to_fill %d %d" % (
days_to_fill, days_to_previous))
return
if self.backfill and days_to_fill > 1:
# backfill algorithm:
# - spread delta over all the days to be inserted. this includes
# the sample for today
# - leave any rounding error in the sample for today.
inc_downloads = downloads // days_to_fill
inc_sha256 = sha256 // days_to_fill
inc_sig = sig // days_to_fill
for fill_index in range(1, days_to_fill):
dt = previous_date + datetime.timedelta(days=fill_index)
filler = self.new_sample(sample, inc_downloads, inc_sha256, inc_sig,
sample_date=dt)
# TODO(aiuto): Guard this with _VERBOSE after more flight time.
print('backfill: %s %s %s: delta=%d, fill/day=%s' % (
filler.sample_date, filler.product, filler.version,
downloads, filler.downloads))
self.add_daily_counts(filler)
downloads -= inc_downloads
sha256 -= inc_sha256
sig -= inc_sig
# assert: no need to backfill: downloads is what we got today
# assert: with backfill: downloads holds ~avg/day change over period
# assert: skip backfill: downloads holds multi-day delta
if (downloads > _MIN_DOWNLOADS_FOR_REPORTING
and int(previous.downloads * _PERCENTAGE_CHANGE_TO_REPORT) < downloads):
print(sample.product, sample.file, sample.version,
sample.sample_date, downloads,
'large jump from %d' % previous.downloads)
s = self.new_sample(sample, downloads, sha256, sig)
self.add_daily_counts(s)
def add_daily_counts(self, sample):
cmd = """INSERT INTO gh_downloads(
sample_date, filename, downloads_total, sha256_total, sig_total,
product, version, arch, os, extension, is_installer,
downloads, sha256, sig)
VALUES(
'%s', '%s', %d, %d, %d, '%s', '%s', '%s', '%s', '%s', %d,
%d, %d, %d
)""" % (sample.sample_date, sample.file,
sample.downloads_total, sample.sha256_total, sample.sig_total,
sample.product, sample.version, sample.arch, sample.os,
sample.extension, 1 if sample.installer else 0,
sample.downloads, sample.sha256, sample.sig
)
if _VERBOSE:
print('insert: %s %s %s %d' % (
sample.sample_date, sample.product, sample.version, sample.downloads))
if not self.dry_run:
self.cursor.execute(cmd)
def new_sample(self, sample, downloads, sha256, sig, sample_date=None):
if not sample_date:
sample_date = sample.sample_date
s = DownloadSample(
file=sample.file,
sample_date=sample_date,
downloads_total=sample.downloads_total,
sha256_total=sample.sha256_total,
sig_total=sample.sig_total,
product=sample.product,
version=sample.version,
arch=sample.arch,
os=sample.os,
extension=sample.extension,
installer=sample.installer,
downloads=downloads,
sha256=sha256,
sig=sig)
self.history[(s.product, s.file, s.version, sample_date)] = s
return s
def main():
parser = argparse.ArgumentParser(
description='Upload categorized download counts')
parser.add_argument(
'--database', default='metrics',
help='Get all repositories rather than just the select ones')
parser.add_argument(
'--dry_run', '-n', action='store_true',
help='Just print updates, do not commit them')
parser.add_argument(
'--backfill', type=bool, default=True,
help='backfill gaps in data')
parser.add_argument(
'--window', type=int, default=14,
help='How many days to look back in time')
parser.add_argument('files', nargs='*')
options = parser.parse_args()
connection = cloudsql.Connect(options.database)
history = gather_previous_downloads(connection, options.window)
uploader = DailyCountUploader(
history, connection, dry_run=options.dry_run, window=options.window,
backfill=options.backfill)
for file in options.files:
uploader.upload_file(file)
connection.close()
if __name__ == '__main__':
main()