forked from kubernetes/test-infra
-
Notifications
You must be signed in to change notification settings - Fork 0
/
bigquery.py
executable file
·283 lines (242 loc) · 10.2 KB
/
bigquery.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
#!/usr/bin/env python3
# Copyright 2017 The Kubernetes Authors.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Runs bigquery metrics and uploads the result to GCS."""
import argparse
import calendar
import glob
import json
import os
import pipes
import re
import subprocess
import sys
import time
import traceback
import influxdb
import requests
import ruamel.yaml as yaml
def check(cmd, **kwargs):
"""Logs and runs the command, raising on errors."""
print('Run:', ' '.join(pipes.quote(c) for c in cmd), end=' ', file=sys.stderr)
if hasattr(kwargs.get('stdout'), 'name'):
print(' > %s' % kwargs['stdout'].name, file=sys.stderr)
else:
print()
# If 'stdin' keyword arg is a string run command and communicate string to stdin
if 'stdin' in kwargs and isinstance(kwargs['stdin'], str):
in_string = kwargs['stdin']
kwargs['stdin'] = subprocess.PIPE
proc = subprocess.Popen(cmd, **kwargs)
proc.communicate(input=in_string.encode('utf-8'))
return
subprocess.check_call(cmd, **kwargs)
def validate_metric_name(name):
"""Raise ValueError if name is non-trivial."""
# Regex '$' symbol matches an optional terminating new line
# so we have to check that the name
# doesn't have one if the regex matches.
if not re.match(r'^[\w-]+$', name) or name[-1] == '\n':
raise ValueError(name)
def do_jq(jq_filter, data_filename, out_filename, jq_bin='jq'):
"""Executes jq on a file and outputs the results to a file."""
with open(out_filename, 'w') as out_file:
check([jq_bin, jq_filter, data_filename], stdout=out_file)
class BigQuerier(object):
def __init__(self, project, bucket_path, backfill_days, influx_client):
if not project:
raise ValueError('project', project)
self.project = project
if not bucket_path:
print('Not uploading results, no bucket specified.', file=sys.stderr)
self.prefix = bucket_path
self.influx = influx_client
self.backfill_days = backfill_days
def do_query(self, query, out_filename):
"""Executes a bigquery query, outputting the results to a file."""
cmd = [
'bq', 'query', '--format=prettyjson',
'--project_id=%s' % self.project,
'--max_rows=1000000', # Results may have more than 100 rows
query,
]
with open(out_filename, 'w') as out_file:
check(cmd, stdout=out_file)
print() # bq doesn't output a trailing newline
def jq_upload(self, config, data_filename):
"""Filters a data file with jq and uploads the results to GCS."""
filtered = 'daily-%s.json' % time.strftime('%Y-%m-%d')
latest = '%s-latest.json' % config['metric']
do_jq(config['jqfilter'], data_filename, filtered)
self.copy(filtered, os.path.join(config['metric'], filtered))
self.copy(filtered, latest)
def influx_upload(self, config, data_filename):
"""Uses jq to extract InfluxDB time series points then uploads to DB."""
points = '%s-data-points.json' % config['metric']
jq_point = config.get('measurements', {}).get('jq', None)
if not jq_point:
return
do_jq(jq_point, data_filename, points)
with open(points) as points_file:
try:
points = json.load(points_file)
except ValueError:
print("No influxdb points to upload.\n", file=sys.stderr)
return
if not self.influx:
print((
'Skipping influxdb upload of metric %s, no db configured.\n'
% config['metric']
), file=sys.stderr)
return
points = [ints_to_floats(point) for point in points]
self.influx.write_points(points, time_precision='s', batch_size=100)
def run_metric(self, config):
"""Runs query and filters results, uploading data to GCS."""
raw = 'raw-%s.json' % time.strftime('%Y-%m-%d')
self.update_query(config)
self.do_query(config['query'], raw)
self.copy(raw, os.path.join(config['metric'], raw))
consumer_error = False
for consumer in [self.jq_upload, self.influx_upload]:
try:
consumer(config, raw)
except (
ValueError,
KeyError,
IOError,
requests.exceptions.ConnectionError,
influxdb.client.InfluxDBClientError,
influxdb.client.InfluxDBServerError,
):
print(traceback.format_exc(), file=sys.stderr)
consumer_error = True
if consumer_error:
raise ValueError('Error(s) were thrown by query result consumers.')
def copy(self, src, dest):
"""Use gsutil to copy src to <bucket_path>/dest with minimal caching."""
if not self.prefix:
return # no destination
dest = os.path.join(self.prefix, dest)
check(['gsutil', '-h', 'Cache-Control:max-age=60', 'cp', src, dest])
def update_query(self, config):
"""Modifies config['query'] based on the metric configuration."""
# Currently the only modification that is supported is injecting the
# timestamp of the most recent influxdb data for a given metric.
# (For backfilling)
measure = config.get('measurements', {}).get('backfill')
if not measure:
return
if self.influx:
# To get the last data point timestamp we must also fetch a field.
# So first find a field that we can query if the metric exists.
points = self.influx.query('show field keys from %s limit 1' % measure)
points = list(points.get_points())
field = points and points[0].get('fieldKey')
last_time = None
if field:
results = self.influx.query(
'select last(%s), time from %s limit 1' % (field, measure)
)
last_time = next(results.get_points(), {}).get('time')
if last_time:
# format time properly
last_time = time.strptime(last_time, '%Y-%m-%dT%H:%M:%SZ')
last_time = calendar.timegm(last_time)
if not last_time:
last_time = int(time.time() - (60*60*24*self.backfill_days))
else:
# InfluxDB is not enabled so skip backfill so use default
last_time = int(time.time() - (60*60*24)*self.backfill_days)
# replace tag with formatted time
config['query'] = config['query'].replace('<LAST_DATA_TIME>', str(last_time))
def all_configs(search='**.yaml'):
"""Returns config files in the metrics dir."""
return glob.glob(os.path.join(
os.path.dirname(__file__), 'configs', search))
def make_influx_client():
"""Make an InfluxDB client from config at path $VELODROME_INFLUXDB_CONFIG"""
if 'VELODROME_INFLUXDB_CONFIG' not in os.environ:
return None
with open(os.environ['VELODROME_INFLUXDB_CONFIG']) as config_file:
config = json.load(config_file)
def check_config(field):
if not field in config:
raise ValueError('DB client config needs field \'%s\'' % field)
check_config('host')
check_config('port')
check_config('user')
check_config('password')
return influxdb.InfluxDBClient(
host=config['host'],
port=config['port'],
username=config['user'],
password=config['password'],
database='metrics',
)
def ints_to_floats(point):
for key, val in point.items():
if key == 'time':
continue
if isinstance(val, int):
point[key] = float(val)
elif isinstance(val, dict):
point[key] = ints_to_floats(val)
return point
def main(configs, project, bucket_path, backfill_days):
"""Loads metric config files and runs each metric."""
queryer = BigQuerier(project, bucket_path, backfill_days, make_influx_client())
# the 'bq show' command is called as a hack to dodge the config prompts that bq presents
# the first time it is run. A newline is passed to stdin to skip the prompt for default project
# when the service account in use has access to multiple projects.
check(['bq', 'show'], stdin='\n')
errs = []
for path in configs or all_configs():
try:
with open(path) as config_raw:
config = yaml.safe_load(config_raw)
if not config:
raise ValueError('invalid yaml: %s.' % path)
config['metric'] = config['metric'].strip()
validate_metric_name(config['metric'])
queryer.run_metric(config)
except (
ValueError,
KeyError,
IOError,
subprocess.CalledProcessError,
):
print(traceback.format_exc(), file=sys.stderr)
errs.append(path)
if errs:
print('Failed %d configs: %s' % (len(errs), ', '.join(errs)))
sys.exit(1)
if __name__ == '__main__':
PARSER = argparse.ArgumentParser()
PARSER.add_argument(
'--config', action='append', help='YAML file describing a metric.')
PARSER.add_argument(
'--project',
default='k8s-gubernator',
help='Charge the specified account for bigquery usage.')
PARSER.add_argument(
'--bucket',
help='Upload results to the specified gcs bucket.')
PARSER.add_argument(
'--backfill-days',
default=30,
type=int,
help='Number of days to backfill influxdb data.')
ARGS = PARSER.parse_args()
main(ARGS.config, ARGS.project, ARGS.bucket, ARGS.backfill_days)