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 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330
|
# Copyright (c) 2018 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
import contextlib
import functools
import json
import os
import sys
import threading
import time
import traceback
import urllib.request
import detect_host_arch
import gclient_utils
import metrics_utils
import newauth
import subprocess2
import utils
DEPOT_TOOLS = os.path.dirname(os.path.abspath(__file__))
CONFIG_FILE = utils.depot_tools_config_path('metrics.cfg')
UPLOAD_SCRIPT = os.path.join(DEPOT_TOOLS, 'upload_metrics.py')
DEFAULT_COUNTDOWN = 10
INVALID_CONFIG_WARNING = (
'WARNING: Your metrics.cfg file was invalid or nonexistent. A new one will '
'be created.')
PERMISSION_DENIED_WARNING = (
'Could not write the metrics collection config:\n\t%s\n'
'Metrics collection will be disabled.')
class _Config(object):
def __init__(self):
self._initialized = False
self._config = {}
def _ensure_initialized(self):
if self._initialized:
return
# Metrics collection is disabled, so don't collect any metrics.
if not metrics_utils.COLLECT_METRICS:
self._config = {
'is-googler': False,
'countdown': 0,
'opt-in': False,
'version': metrics_utils.CURRENT_VERSION,
}
self._initialized = True
return
# We are running on a bot. Ignore config and collect metrics.
if metrics_utils.REPORT_BUILD:
self._config = {
'is-googler': True,
'countdown': 0,
'opt-in': True,
'version': metrics_utils.CURRENT_VERSION,
}
self._initialized = True
return
try:
config = json.loads(gclient_utils.FileRead(CONFIG_FILE))
except (IOError, ValueError):
config = {}
self._config = config.copy()
if 'is-googler' not in self._config:
# /should-upload is only accessible from Google IPs, so we only need
# to check if we can reach the page. An external developer would get
# access denied.
try:
req = urllib.request.urlopen(metrics_utils.APP_URL +
'/should-upload')
self._config['is-googler'] = req.getcode() == 200
except (urllib.request.URLError, urllib.request.HTTPError):
self._config['is-googler'] = False
# Make sure the config variables we need are present, and initialize
# them to safe values otherwise.
self._config.setdefault('countdown', DEFAULT_COUNTDOWN)
self._config.setdefault('opt-in', None)
self._config.setdefault('version', metrics_utils.CURRENT_VERSION)
if config != self._config:
print(INVALID_CONFIG_WARNING, file=sys.stderr)
self._write_config()
self._initialized = True
def _write_config(self):
try:
gclient_utils.FileWrite(CONFIG_FILE, json.dumps(self._config))
except IOError as e:
print(PERMISSION_DENIED_WARNING % e, file=sys.stderr)
self._config['opt-in'] = False
@property
def version(self):
self._ensure_initialized()
return self._config['version']
@property
def is_googler(self):
self._ensure_initialized()
return self._config['is-googler']
@property
def opted_in(self):
self._ensure_initialized()
return self._config['opt-in']
@opted_in.setter
def opted_in(self, value):
self._ensure_initialized()
self._config['opt-in'] = value
self._config['version'] = metrics_utils.CURRENT_VERSION
self._write_config()
@property
def countdown(self):
self._ensure_initialized()
return self._config['countdown']
@property
def should_collect_metrics(self):
# Don't report metrics if user is not a Googler.
if not self.is_googler:
return False
# Don't report metrics if user has opted out.
if self.opted_in is False:
return False
# Don't report metrics if countdown hasn't reached 0.
if self.opted_in is None and self.countdown > 0:
return False
return True
def decrease_countdown(self):
self._ensure_initialized()
if self.countdown == 0:
return
self._config['countdown'] -= 1
if self.countdown == 0:
self._config['version'] = metrics_utils.CURRENT_VERSION
self._write_config()
def reset_config(self):
# Only reset countdown if we're already collecting metrics.
if self.should_collect_metrics:
self._ensure_initialized()
self._config['countdown'] = DEFAULT_COUNTDOWN
self._config['opt-in'] = None
class MetricsCollector(object):
def __init__(self):
self._metrics_lock = threading.Lock()
self._reported_metrics = {}
self._config = _Config()
self._collecting_metrics = False
self._collect_custom_metrics = True
@property
def config(self):
return self._config
@property
def collecting_metrics(self):
return self._collecting_metrics
def add(self, name, value):
if self._collect_custom_metrics:
with self._metrics_lock:
self._reported_metrics[name] = value
def add_repeated(self, name, value):
if self._collect_custom_metrics:
with self._metrics_lock:
self._reported_metrics.setdefault(name, []).append(value)
@contextlib.contextmanager
def pause_metrics_collection(self):
collect_custom_metrics = self._collect_custom_metrics
self._collect_custom_metrics = False
try:
yield
finally:
self._collect_custom_metrics = collect_custom_metrics
def _upload_metrics_data(self):
"""Upload the metrics data to the AppEngine app."""
p = subprocess2.Popen(['vpython3', UPLOAD_SCRIPT],
stdin=subprocess2.PIPE)
# We invoke a subprocess, and use stdin.write instead of communicate(),
# so that we are able to return immediately, leaving the upload running
# in the background.
p.stdin.write(json.dumps(self._reported_metrics).encode('utf-8'))
# ... but if we're running on a bot, wait until upload has completed.
if metrics_utils.REPORT_BUILD:
p.communicate()
def _collect_metrics(self, func, command_name, *args, **kwargs):
# If we're already collecting metrics, just execute the function.
# e.g. git-cl split invokes git-cl upload several times to upload each
# split CL.
if self.collecting_metrics:
# Don't collect metrics for this function.
# e.g. Don't record the arguments git-cl split passes to git-cl
# upload.
with self.pause_metrics_collection():
return func(*args, **kwargs)
self._collecting_metrics = True
self.add('metrics_version', metrics_utils.CURRENT_VERSION)
self.add('command', command_name)
try:
start = time.time()
result = func(*args, **kwargs)
exception = None
# pylint: disable=bare-except
except:
exception = sys.exc_info()
finally:
self.add('execution_time', time.time() - start)
exit_code = metrics_utils.return_code_from_exception(exception)
self.add('exit_code', exit_code)
# Add metrics regarding environment information.
self.add('timestamp', int(time.time()))
self.add('python_version', metrics_utils.get_python_version())
self.add('host_os', gclient_utils.GetOperatingSystem())
self.add('host_arch', detect_host_arch.HostArch())
depot_tools_age = metrics_utils.get_repo_timestamp(DEPOT_TOOLS)
if depot_tools_age is not None:
self.add('depot_tools_age', int(depot_tools_age))
git_version = metrics_utils.get_git_version()
if git_version:
self.add('git_version', git_version)
bot_metrics = metrics_utils.get_bot_metrics()
if bot_metrics:
self.add('bot_metrics', bot_metrics)
# TODO(b/347085702): Remove this variable when dogfood is over.
new_auth_enabled = 'DEFAULT'
if newauth.Enabled():
new_auth_enabled = 'TRUE'
elif newauth.ExplicitlyDisabled():
new_auth_enabled = 'FALSE'
if new_auth_enabled != 'DEFAULT':
self.add_repeated('env_vars', {
'name': 'DOGFOOD_NEW_AUTH',
'value': new_auth_enabled,
})
self._upload_metrics_data()
if exception:
gclient_utils.reraise(exception[0], exception[1], exception[2])
return result
def collect_metrics(self, command_name):
"""A decorator used to collect metrics over the life of a function.
This decorator executes the function and collects metrics about the
system environment and the function performance.
"""
def _decorator(func):
if not self.config.should_collect_metrics:
return func
# Needed to preserve the __name__ and __doc__ attributes of func.
@functools.wraps(func)
def _inner(*args, **kwargs):
return self._collect_metrics(func, command_name, *args,
**kwargs)
return _inner
return _decorator
@contextlib.contextmanager
def print_notice_and_exit(self):
"""A context manager used to print the notice and terminate execution.
This decorator executes the function and prints the monitoring notice if
necessary. If an exception is raised, we will catch it, and print it
before printing the metrics collection notice.
This will call sys.exit() with an appropriate exit code to ensure the
notice is the last thing printed.
"""
# Needed to preserve the __name__ and __doc__ attributes of func.
try:
yield
exception = None
# pylint: disable=bare-except
except:
exception = sys.exc_info()
# Print the exception before the metrics notice, so that the notice is
# clearly visible even if gclient fails.
if exception:
if isinstance(exception[1], KeyboardInterrupt):
sys.stderr.write('Interrupted\n')
elif not isinstance(exception[1], SystemExit):
traceback.print_exception(*exception)
# Check if the version has changed
if (self.config.is_googler and self.config.opted_in is not False
and self.config.version != metrics_utils.CURRENT_VERSION):
metrics_utils.print_version_change(self.config.version)
self.config.reset_config()
# Print the notice
if self.config.is_googler and self.config.opted_in is None:
metrics_utils.print_notice(self.config.countdown)
self.config.decrease_countdown()
sys.exit(metrics_utils.return_code_from_exception(exception))
collector = MetricsCollector()
|