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 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438
|
# SPDX-FileCopyrightText: © 2022 Christian BUHTZ <c.buhtz@posteo.jp>
#
# SPDX-License-Identifier: GPL-2.0-or-later
#
# This file is part of the program "Back In Time" which is released under GNU
# General Public License v2 (GPLv2). See LICENSES directory or go to
# <https://spdx.org/licenses/GPL-2.0-or-later.html>.
"""Provides the ability to collect diagnostic information on Back In Time.
These are version numbers of the dependent tools, environment variables,
paths, operating system and the like. This is used to enhance error reports
and to enrich them with the necessary information as uncomplicated as possible.
"""
import sys
import os
import itertools
from pathlib import Path
import pwd
import platform
import locale
import subprocess
import json
import re
import config
import tools
import version
def collect_minimal_diagnostics():
"""Collect minimal information about backintime and the operating system.
Returns:
dict: A nested dictionary.
"""
return {
'backintime': {
'name': config.Config.APP_NAME,
'version': version.__version__,
'running-as-root': pwd.getpwuid(os.getuid()).pw_name == 'root',
},
'host-setup': {
'OS': _get_os_release()
}
}
def collect_diagnostics():
"""Collect information about environment, versions of tools and
packages used by Back In Time.
The information can be used e.g. for debugging and bug reports.
Returns:
dict: A nested dictionary.
"""
result = collect_minimal_diagnostics()
# === BACK IN TIME ===
# work-around: Instantiate to get the user-callback folder
# (should be singleton)
cfg = config.Config()
result['backintime'].update({
'latest-config-version': config.Config.CONFIG_VERSION,
'local-config-file': cfg._LOCAL_CONFIG_PATH,
'local-config-file-found': Path(cfg._LOCAL_CONFIG_PATH).exists(),
'global-config-file': cfg._GLOBAL_CONFIG_PATH,
'global-config-file-found': Path(cfg._GLOBAL_CONFIG_PATH).exists(),
# 'distribution-package': str(distro_path),
'started-from': str(Path(config.__file__).parent),
'user-callback': cfg.takeSnapshotUserCallback(),
'keyring-supported': tools.keyringSupported()
})
# Git repo
bit_root_path = Path(tools.as_backintime_path(""))
git_info = tools.get_git_repository_info(bit_root_path)
if git_info:
result['backintime']['git-project-root'] = str(bit_root_path)
for key in git_info:
result['backintime'][f'git-{key}'] = git_info[key]
# == HOST setup ===
result['host-setup'].update({
# Kernel & Architecture
'platform': platform.platform(),
# OS Version (and maybe name)
'system': f'{platform.system()} {platform.version()}'
})
# Display system (X11 or Wayland), desktop, etc
# $XDG_SESSION_TYPE doesn't catch all edge cases.
# See: https://unix.stackexchange.com/q/202891/136851
for var in ['XDG_SESSION_TYPE', 'XDG_CURRENT_DESKTOP', 'DESKTOP_SESSION']:
result['host-setup'][var] = os.environ.get(var, '(not set)')
# locale (system language etc)
#
# Implementation note: With env var "LC_ALL=C" getlocale() will return
# (None, None).
# This throws an error in "join()":
# TypeError: sequence item 0: expected str instance, NoneType found
my_locale = locale.getlocale()
if all(x is None for x in my_locale):
my_locale = ["(Unknown)"]
result['host-setup']['locale'] = ', '.join(my_locale)
# PATH environment variable
result['host-setup']['PATH'] = os.environ.get('PATH', '($PATH unknown)')
# === PYTHON setup ===
python = ' '.join((
platform.python_version(),
' '.join(platform.python_build()),
platform.python_implementation(),
platform.python_compiler()
))
# Python branch and revision if available
branch = platform.python_branch()
if branch:
python = f'{python} branch: {branch}'
rev = platform.python_revision()
if rev:
python = f'{python} rev: {rev}'
python_executable = Path(sys.executable)
# Python interpreter
result['python-setup'] = {
'python': python,
'python-executable': str(python_executable),
'python-executable-symlink': python_executable.is_symlink(),
}
# Real interpreter path if it is used via a symlink
if result['python-setup']['python-executable-symlink']:
result['python-setup']['python-executable-resolved'] \
= str(python_executable.resolve())
result['python-setup']['sys.path'] = sys.path
result['python-setup']['qt'] = _get_qt_information()
# === EXTERN TOOL ===
result['external-programs'] = {}
# RSYNC environment variables
for var in ['RSYNC_OLD_ARGS', 'RSYNC_PROTECT_ARGS']:
result['external-programs'][var] = os.environ.get(
var, '(not set)')
result['external-programs']['rsync'] = _get_rsync_info()
# ssh
result['external-programs']['ssh'] = _get_extern_versions(['ssh', '-V'])
# sshfs
result['external-programs']['sshfs'] \
= _get_extern_versions(['sshfs', '-V'], r'SSHFS version (.*)\n')
# EncFS
# Using "[Vv]" in the pattern because encfs does translate its output.
# e.g. In German it is "Version" in English "version".
result['external-programs']['encfs'] \
= _get_extern_versions(['encfs'], r'Build: encfs [Vv]ersion (.*)\n')
# Shell
SHELL_ERR_MSG = '($SHELL not exists)'
shell = os.environ.get('SHELL', SHELL_ERR_MSG)
result['external-programs']['shell'] = shell
if shell != SHELL_ERR_MSG:
shell_version = _get_extern_versions([shell, '--version'])
result['external-programs']['shell-version'] \
= shell_version.split('\n')[0]
result = _replace_username_paths(
result=result,
username=pwd.getpwuid(os.getuid()).pw_name
)
return result
def _get_qt_information():
"""Collect Version and Theme information from Qt.
If environment variable ``DISPLAY`` is set a temporary QApplication
instances is created.
"""
# pylint: disable=import-outside-toplevel
try:
import PyQt6.QtCore
import PyQt6.QtGui
import PyQt6.QtWidgets
except ImportError:
return '(Cannot import PyQt6)'
# Themes
theme_info = {}
if tools.checkXServer(): # TODO use tools.is_Qt_working() when stable
qapp = PyQt6.QtWidgets.QApplication.instance()
if not qapp:
qapp = PyQt6.QtWidgets.QApplication([])
clean_up_myself = True
else:
clean_up_myself = False
theme_info = {
'Theme': PyQt6.QtGui.QIcon.themeName(),
'Theme Search Paths': PyQt6.QtGui.QIcon.themeSearchPaths(),
'Fallback Theme': PyQt6.QtGui.QIcon.fallbackThemeName(),
'Fallback Search Paths': PyQt6.QtGui.QIcon.fallbackSearchPaths()
}
if clean_up_myself:
qapp.quit()
del qapp
return {
'Version': f'PyQt {PyQt6.QtCore.PYQT_VERSION_STR} '
f'/ Qt {PyQt6.QtCore.QT_VERSION_STR}',
**theme_info
}
def _get_extern_versions(cmd,
pattern=None,
try_json=False,
error_pattern=None):
"""Get the version of an external tools using :class:`subprocess.Popen`.
Args:
cmd (list[str]): Commandline arguments that will be passed
to ``Popen()``.
pattern (str) : A regex pattern to extract the version string from the
commands output.
try_json (bool): Interpret the output as json first
(default: ``False``).
If it could be parsed the result is a dict
error_pattern (str): Regex pattern to identify a message in the output
that indicates an error.
Returns:
Version information as :obj:`str` or :obj:`dict`.
The latter is used if the
``cmd`` requested offer its information in JSON format.
``None`` if the error_pattern did match (to indicate an error).
"""
try:
# as context manager to prevent ResourceWarning's
with subprocess.Popen(cmd,
env={'LC_ALL': 'C'},
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
universal_newlines=True) as proc:
error_output = proc.stderr.read()
std_output = proc.stdout.read()
except FileNotFoundError:
result = f'(no {cmd[0]})'
else:
# Check for errors
if error_pattern:
match_result = re.findall(error_pattern, error_output)
if match_result:
return None
# some tools use "stderr" for version info
result = std_output if std_output else error_output
# Expect JSON string
if try_json:
try:
result = json.loads(result)
except json.decoder.JSONDecodeError:
# Wasn't a json. Try regex in the next block.
pass
else:
return result # as JSON
# extract version string
if pattern:
result = re.findall(pattern, result)[0]
return result.strip() # as string
def _get_rsync_info():
"""Collect infos about rsync.
Returns:
dict: Collected info
"""
# rsync
# rsync >= 3.2.7: -VV return a json
# rsync <= 3.2.6 and > (somewhere near) 3.1.3: -VV return the same as -V
# rsync <= (somewhere near) 3.1.3: -VV doesn't exists
# rsync == 3.1.3 (Ubuntu 20 LTS) doesn't even know '-V'
# This works when rsync understands -VV and returns json or human readable
info = _get_extern_versions(
['rsync', '-VV'],
r'rsync version (.*) protocol version',
try_json=True,
error_pattern=r'unknown option'
)
# When -VV was unknown use -V and parse the human readable output
if not info:
# try the old way
info = _get_extern_versions(
['rsync', '--version'],
r'rsync version (.*) protocol version'
)
elif isinstance(info, dict):
# Rsync (>= 3.2.7) provide its information in JSON format.
# Remove some irrelevant information.
for key in ['program', 'copyright', 'url', 'license', 'caveat']:
try:
del info[key]
except KeyError:
pass
# Reduce use of vertical space with transforming lists and dicts into
# strings.
for key in ['daemon_auth_list', 'compress_list', 'checksum_list',
'optimizations', 'capabilities']:
if isinstance(info[key], list):
info[key] = ', '.join(info[key])
elif isinstance(info[key], dict):
info[key] = '; '.join(
f'{k}: {v}' for k, v in info[key].items())
return info
def _get_os_release():
"""Try to get the name and version of the operating system used.
First it extract infos from the file ``/etc/os-release``. Because not all
GNU/Linux distributions follow the standards it will also look for
alternative release files (pattern: ``/etc/*release``).
See http://linuxmafia.com/faq/Admin/release-files.html for examples.
Returns:
A string with the name of the operating system, e.g. "Debian
GNU/Linux 11 (bullseye)" or a dictionary if alternative release
files where found.
"""
def _get_pretty_name_or_content(fp):
"""Return value of PRETTY_NAME from a release file or return the whole
file content."""
# Read content from file
try:
with fp.open('r') as handle:
content = handle.read()
except FileNotFoundError:
return f'({fp.name} file not found)'
# Try to extract the pretty name
try:
return re.findall('PRETTY_NAME=\"(.*)\"', content)[0]
except IndexError:
# Return full content when no PRETTY_NAME was found
return content
etc_path = Path('/etc')
os_files = list(filter(lambda p: p.is_file(),
itertools.chain(
etc_path.glob('*release*'),
etc_path.glob('*version*'))
))
# "os-release" is standard and should be on top of the list
fp_osrelease = etc_path / 'os-release'
try:
os_files.remove(fp_osrelease)
except ValueError:
pass
else:
os_files = [fp_osrelease] + os_files
# each release/version file found
osrelease = {str(fp): _get_pretty_name_or_content(fp) for fp in os_files}
# No alternative release files found
if len(osrelease) == 1:
return osrelease[str(fp_osrelease)]
return osrelease
def _replace_username_paths(result, username):
"""User's real ``HOME`` path and login name are replaced with surrogtes.
This is because of security reasons.
Args:
result (dict): Dict possibly containing the username and its home
path.
username (str): The user's real login name to look for.
Returns:
A dictionary with replacements.
"""
# Replace home folder user names with this dummy name
# for privacy reasons
USER_REPLACED = 'UsernameReplaced'
# JSON to string
result = json.dumps(result)
result = result.replace(f'/home/{username}', f'/home/{USER_REPLACED}')
result = result.replace(f'~/{username}', f'~/{USER_REPLACED}')
# string to JSON
return json.loads(result)
|