/usr/share/pyshared/zeroinstall/apps.py is in zeroinstall-injector 2.3.3-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 | """
Support for managing apps (as created with "0install add").
@since: 1.9
"""
# Copyright (C) 2012, Thomas Leonard
# See the README file for details, or visit http://0install.net.
from zeroinstall import _, SafeException, logger
from zeroinstall.support import basedir, portable_rename
from zeroinstall.injector import namespaces, selections, qdom, model
import re, os, time, tempfile, errno
# Avoid characters that are likely to cause problems (reject : and ; everywhere
# so that apps can be portable between POSIX and Windows).
valid_name = re.compile(r'''^[^./\\:=;'"][^/\\:=;'"]*$''')
def validate_name(name):
"""@type name: str"""
if name == '0install':
raise SafeException("Creating an app called '0install' would cause trouble; try e.g. '00install' instead")
if valid_name.match(name): return
raise SafeException("Invalid application name '{name}'".format(name = name))
def _export(name, value):
"""Try to guess the command to set an environment variable."""
shell = os.environ.get('SHELL', '?')
if 'csh' in shell:
return "setenv %s %s" % (name, value)
return "export %s=%s" % (name, value)
def find_bin_dir(paths = None):
"""Find the first writable path in the list (default $PATH),
skipping /bin, /sbin and everything under /usr except /usr/local/bin
@type paths: [str] | None
@rtype: str"""
if paths is None:
paths = os.environ['PATH'].split(os.pathsep)
for path in paths:
if path.startswith('/usr/') and not path.startswith('/usr/local/bin'):
# (/usr/local/bin is OK if we're running as root)
pass
elif path.startswith('/bin') or path.startswith('/sbin'):
pass
elif os.path.realpath(path).startswith(basedir.xdg_cache_home):
pass # print "Skipping cache", first_path
elif not os.access(path, os.W_OK):
pass # print "No access", first_path
else:
break
else:
path = os.path.expanduser('~/bin/')
logger.warning('%s is not in $PATH. Add it with:\n%s' % (path, _export('PATH', path + ':$PATH')))
if not os.path.isdir(path):
os.makedirs(path)
return path
_command_template = """#!/bin/sh
exec 0install run {app} "$@"
"""
class AppScriptInfo(object):
"""@since: 1.12"""
name = None
command = None
def parse_script_header(stream):
"""If stream is a shell script for an application, return the app details.
@param stream: the executable file's stream (will seek)
@type stream: file-like object
@return: the app details, if any
@rtype: L{AppScriptInfo} | None
@since: 1.12"""
try:
stream.seek(0)
template_header = _command_template[:_command_template.index("{app}")]
actual_header = stream.read(len(template_header))
stream.seek(0)
if template_header == actual_header:
# If it's a launcher script, it should be quite short!
rest = stream.read()
line = rest.split('\n')[1]
else:
return None
except UnicodeDecodeError as ex:
logger.info("Not an app script '%s': %s", stream, ex)
return None
info = AppScriptInfo()
info.name = line.split()[3]
return info
class App(object):
def __init__(self, config, path):
"""@type path: str"""
self.config = config
self.path = path
def set_selections(self, sels, set_last_checked = True):
"""Store a new set of selections. We include today's date in the filename
so that we keep a history of previous selections (max one per day), in case
we want to to roll back later.
@type sels: L{zeroinstall.injector.selections.Selections}
@type set_last_checked: bool"""
date = time.strftime('%Y-%m-%d')
sels_file = os.path.join(self.path, 'selections-{date}.xml'.format(date = date))
dom = sels.toDOM()
if self.config.handler.dry_run:
print(_("[dry-run] would write selections to {file}").format(file = sels_file))
else:
tmp = tempfile.NamedTemporaryFile(prefix = 'selections.xml-', dir = self.path, delete = False, mode = 'wt')
try:
dom.writexml(tmp, addindent=" ", newl="\n", encoding = 'utf-8')
except:
tmp.close()
os.unlink(tmp.name)
raise
tmp.close()
portable_rename(tmp.name, sels_file)
sels_latest = os.path.join(self.path, 'selections.xml')
if self.config.handler.dry_run:
print(_("[dry-run] would update {link} to point to new selections file").format(link = sels_latest))
else:
if os.path.exists(sels_latest):
os.unlink(sels_latest)
if os.name == "nt":
import shutil
shutil.copyfile(sels_file, sels_latest)
else:
os.symlink(os.path.basename(sels_file), sels_latest)
if set_last_checked:
self.set_last_checked()
def get_selections(self, snapshot_date = None, may_update = False, use_gui = None):
"""Load the selections.
If may_update is True then the returned selections will be cached and available.
@param snapshot_date: get a historical snapshot
@type snapshot_date: (as returned by L{get_history}) | None
@param may_update: whether to check for updates
@type may_update: bool
@param use_gui: whether to use the GUI for foreground updates
@type use_gui: bool | None (never/always/if possible)
@return: the selections
@rtype: L{selections.Selections}"""
if snapshot_date:
assert may_update is False, "Can't update a snapshot!"
sels_file = os.path.join(self.path, 'selections-' + snapshot_date + '.xml')
else:
sels_file = os.path.join(self.path, 'selections.xml')
try:
with open(sels_file, 'rb') as stream:
sels = selections.Selections(qdom.parse(stream))
except IOError as ex:
if may_update and ex.errno == errno.ENOENT:
logger.info("App selections missing: %s", ex)
sels = None
else:
raise
if may_update:
sels = self._check_for_updates(sels, use_gui)
return sels
def get_history(self):
"""Get the dates of the available snapshots, starting with the most recent.
@rtype: [str]"""
date_re = re.compile('selections-(\d\d\d\d-\d\d-\d\d).xml')
snapshots = []
for f in os.listdir(self.path):
match = date_re.match(f)
if match:
snapshots.append(match.group(1))
snapshots.sort(reverse = True)
return snapshots
def download_selections(self, sels):
"""Download any missing implementations.
@type sels: L{zeroinstall.injector.selections.Selections}
@return: a blocker which resolves when all needed implementations are available
@rtype: L{tasks.Blocker} | None"""
return sels.download_missing(self.config) # TODO: package impls
def _check_for_updates(self, sels, use_gui):
"""Check whether the selections need to be updated.
If any input feeds have changed, we re-run the solver. If the
new selections require a download, we schedule one in the
background and return the old selections. Otherwise, we return the
new selections. If we can select better versions without downloading,
we update the app's selections and return the new selections.
If we can't use the current selections, we update in the foreground.
We also schedule a background update from time-to-time anyway.
@type sels: L{zeroinstall.injector.selections.Selections}
@type use_gui: bool
@return: the selections to use
@rtype: L{selections.Selections}"""
need_solve = False # Rerun solver (cached feeds have changed)
need_update = False # Update over the network
if sels:
utime = self._get_mtime('last-checked', warn_if_missing = True)
last_solve = max(self._get_mtime('last-solve', warn_if_missing = False), utime)
# Ideally, this would return all the files which were inputs into the solver's
# decision. Currently, we approximate with:
# - the previously selected feed files (local or cached)
# - configuration files for the selected interfaces
# - the global configuration
# We currently ignore feeds and interfaces which were
# considered but not selected.
# Can yield None (ignored), paths or (path, mtime) tuples.
# If this throws an exception, we will log it and resolve anyway.
def get_inputs():
for sel in sels.selections.values():
logger.info("Checking %s", sel.feed)
if sel.feed.startswith('distribution:'):
# If the package has changed version, we'll detect that below
# with get_unavailable_selections.
pass
elif os.path.isabs(sel.feed):
# Local feed
yield sel.feed
else:
# Cached feed
cached = basedir.load_first_cache(namespaces.config_site, 'interfaces', model.escape(sel.feed))
if cached:
yield cached
else:
raise IOError("Input %s missing; update" % sel.feed)
# Per-feed configuration
yield basedir.load_first_config(namespaces.config_site, namespaces.config_prog,
'interfaces', model._pretty_escape(sel.interface))
# Global configuration
yield basedir.load_first_config(namespaces.config_site, namespaces.config_prog, 'global')
# If any of the feeds we used have been updated since the last check, do a quick re-solve
try:
for item in get_inputs():
if not item: continue
if isinstance(item, tuple):
path, mtime = item
else:
path = item
try:
mtime = os.stat(path).st_mtime
except OSError as ex:
logger.info("Triggering update to {app} due to error: {ex}".format(
app = self, path = path, ex = ex))
need_solve = True
break
if mtime and mtime > last_solve:
logger.info("Triggering update to %s because %s has changed", self, path)
need_solve = True
break
except Exception as ex:
logger.info("Error checking modification times: %s", ex)
need_solve = True
need_update = True
# Is it time for a background update anyway?
if not need_update:
staleness = time.time() - utime
logger.info("Staleness of app %s is %d hours", self, staleness / (60 * 60))
freshness_threshold = self.config.freshness
if freshness_threshold > 0 and staleness >= freshness_threshold:
need_update = True
# If any of the saved selections aren't available then we need
# to download right now, not later in the background.
unavailable_selections = sels.get_unavailable_selections(config = self.config, include_packages = True)
if unavailable_selections:
logger.info("Saved selections are unusable (missing %s)",
', '.join(str(s) for s in unavailable_selections))
need_solve = True
else:
# No current selections
need_solve = True
unavailable_selections = True
if need_solve:
from zeroinstall.injector.driver import Driver
driver = Driver(config = self.config, requirements = self.get_requirements())
if driver.need_download():
if unavailable_selections:
return self._foreground_update(driver, use_gui)
else:
# Continue with the current (cached) selections while we download
need_update = True
else:
old_sels = sels
sels = driver.solver.selections
from zeroinstall.support import xmltools
if old_sels is None or not xmltools.nodes_equal(sels.toDOM(), old_sels.toDOM()):
self.set_selections(sels, set_last_checked = False)
try:
self._touch('last-solve')
except OSError as ex:
logger.warning("Error checking for updates: %s", ex)
# If we tried to check within the last hour, don't try again.
if need_update:
last_check_attempt = self._get_mtime('last-check-attempt', warn_if_missing = False)
if last_check_attempt and last_check_attempt + 60 * 60 > time.time():
logger.info("Tried to check within last hour; not trying again now")
need_update = False
if need_update:
try:
self.set_last_check_attempt()
except OSError as ex:
logger.warning("Error checking for updates: %s", ex)
else:
from zeroinstall.injector import background
r = self.get_requirements()
background.spawn_background_update2(r, False, self)
return sels
def _foreground_update(self, driver, use_gui):
"""We can't run with saved selections or solved selections without downloading.
Try to open the GUI for a blocking download. If we can't do that, download without the GUI.
@type driver: L{zeroinstall.injector.driver.Driver}
@rtype: L{zeroinstall.injector.selections.Selections}"""
from zeroinstall import helpers
from zeroinstall.support import tasks
gui_args = driver.requirements.get_as_options() + ['--download-only', '--refresh']
sels = helpers.get_selections_gui(driver.requirements.interface_uri, gui_args,
test_callback = None, use_gui = use_gui)
if sels is None:
raise SafeException("Aborted by user")
if sels is helpers.DontUseGUI:
downloaded = driver.solve_and_download_impls(refresh = True)
if downloaded:
tasks.wait_for_blocker(downloaded)
sels = driver.solver.selections
self.set_selections(sels, set_last_checked = True)
return sels
def set_requirements(self, requirements):
"""@type requirements: L{zeroinstall.injector.requirements.Requirements}"""
reqs_file = os.path.join(self.path, 'requirements.json')
if self.config.handler.dry_run:
print(_("[dry-run] would write {file}").format(file = reqs_file))
else:
import json
tmp = tempfile.NamedTemporaryFile(prefix = 'tmp-requirements-', dir = self.path, delete = False, mode = 'wt')
try:
json.dump(dict((key, getattr(requirements, key)) for key in requirements.__slots__), tmp)
except:
tmp.close()
os.unlink(tmp.name)
raise
tmp.close()
portable_rename(tmp.name, reqs_file)
def get_requirements(self):
"""@rtype: L{zeroinstall.injector.requirements.Requirements}"""
import json
from zeroinstall.injector import requirements
r = requirements.Requirements(None)
reqs_file = os.path.join(self.path, 'requirements.json')
with open(reqs_file, 'rt') as stream:
values = json.load(stream)
# Update old before/not-before values
before = values.pop('before', None)
not_before = values.pop('not_before', None)
if before or not_before:
assert 'extra_restrictions' not in values, values
expr = (not_before or '') + '..'
if before:
expr += '!' + before
values['extra_restrictions'] = {values['interface_uri']: expr}
for k, v in values.items():
setattr(r, k, v)
return r
def set_last_check_attempt(self):
self._touch('last-check-attempt')
def set_last_checked(self):
self._touch('last-checked')
def _touch(self, name):
"""@type name: str"""
timestamp_path = os.path.join(self.path, name)
if self.config.handler.dry_run:
pass #print(_("[dry-run] would update timestamp file {file}").format(file = timestamp_path))
else:
fd = os.open(timestamp_path, os.O_WRONLY | os.O_CREAT, 0o644)
os.close(fd)
os.utime(timestamp_path, None) # In case file already exists
def _get_mtime(self, name, warn_if_missing = True):
"""@type name: str
@type warn_if_missing: bool
@rtype: int"""
timestamp_path = os.path.join(self.path, name)
try:
return os.stat(timestamp_path).st_mtime
except Exception as ex:
if warn_if_missing:
logger.warning("Failed to get time-stamp of %s: %s", timestamp_path, ex)
return 0
def get_last_checked(self):
"""Get the time of the last successful check for updates.
@return: the timestamp (or None on error)
@rtype: float | None"""
return self._get_mtime('last-checked', warn_if_missing = True)
def get_last_check_attempt(self):
"""Get the time of the last attempted check.
@return: the timestamp, or None if we updated successfully.
@rtype: float | None"""
last_check_attempt = self._get_mtime('last-check-attempt', warn_if_missing = False)
if last_check_attempt:
last_checked = self.get_last_checked()
if last_checked < last_check_attempt:
return last_check_attempt
return None
def destroy(self):
# Check for shell command
# TODO: remember which commands we own instead of guessing
name = self.get_name()
bin_dir = find_bin_dir()
launcher = os.path.join(bin_dir, name)
expanded_template = _command_template.format(app = name)
if os.path.exists(launcher) and os.path.getsize(launcher) == len(expanded_template):
with open(launcher, 'r') as stream:
contents = stream.read()
if contents == expanded_template:
if self.config.handler.dry_run:
print(_("[dry-run] would delete launcher script {file}").format(file = launcher))
else:
os.unlink(launcher)
if self.config.handler.dry_run:
print(_("[dry-run] would delete directory {path}").format(path = self.path))
else:
# Remove the app itself
import shutil
shutil.rmtree(self.path)
def integrate_shell(self, name):
# TODO: remember which commands we create
"""@type name: str"""
if not valid_name.match(name):
raise SafeException("Invalid shell command name '{name}'".format(name = name))
bin_dir = find_bin_dir()
launcher = os.path.join(bin_dir, name)
if os.path.exists(launcher):
raise SafeException("Command already exists: {path}".format(path = launcher))
if self.config.handler.dry_run:
print(_("[dry-run] would write launcher script {path}").format(path = launcher))
else:
with open(launcher, 'w') as stream:
stream.write(_command_template.format(app = self.get_name()))
# Make new script executable
os.chmod(launcher, 0o111 | os.fstat(stream.fileno()).st_mode)
def get_name(self):
"""@rtype: str"""
return os.path.basename(self.path)
def __str__(self):
"""@rtype: str"""
return '<app ' + self.get_name() + '>'
class AppManager(object):
def __init__(self, config):
"""@type config: L{zeroinstall.injector.config.Config}"""
self.config = config
def create_app(self, name, requirements):
"""@type name: str
@type requirements: L{zeroinstall.injector.requirements.Requirements}
@rtype: L{App}"""
validate_name(name)
apps_dir = basedir.save_config_path(namespaces.config_site, "apps")
app_dir = os.path.join(apps_dir, name)
if os.path.isdir(app_dir):
raise SafeException(_("Application '{name}' already exists: {path}").format(name = name, path = app_dir))
if self.config.handler.dry_run:
print(_("[dry-run] would create directory {path}").format(path = app_dir))
else:
os.mkdir(app_dir)
app = App(self.config, app_dir)
app.set_requirements(requirements)
app.set_last_checked()
return app
def lookup_app(self, name, missing_ok = False):
"""Get the App for name.
Returns None if name is not an application (doesn't exist or is not a valid name).
Since / and : are not valid name characters, it is generally safe to try this
before calling L{injector.model.canonical_iface_uri}.
@type name: str
@type missing_ok: bool
@rtype: L{App}"""
if not valid_name.match(name):
if missing_ok:
return None
else:
raise SafeException("Invalid application name '{name}'".format(name = name))
app_dir = basedir.load_first_config(namespaces.config_site, "apps", name)
if app_dir:
return App(self.config, app_dir)
if missing_ok:
return None
else:
raise SafeException("No such application '{name}'".format(name = name))
def iterate_apps(self):
seen = set()
for apps_dir in basedir.load_config_paths(namespaces.config_site, "apps"):
for name in os.listdir(apps_dir):
if valid_name.match(name):
if name in seen: continue
seen.add(name)
yield name
|