Added --command option to 0alias
[zeroinstall.git] / zeroinstall / injector / model.py
blob4cef2c7dfae63bcaa2937e947286f66920af1069
1 """In-memory representation of interfaces and other data structures.
3 The objects in this module are used to build a representation of an XML interface
4 file in memory.
6 @see: L{reader} constructs these data-structures
7 @see: U{http://0install.net/interface-spec.html} description of the domain model
9 @var defaults: Default values for the 'default' attribute for <environment> bindings of
10 well-known variables.
11 """
13 # Copyright (C) 2009, Thomas Leonard
14 # See the README file for details, or visit http://0install.net.
16 from zeroinstall import _
17 import os, re, locale
18 from logging import info, debug, warn
19 from zeroinstall import SafeException, version
20 from zeroinstall.injector.namespaces import XMLNS_IFACE
21 from zeroinstall.injector import qdom
23 # Element names for bindings in feed files
24 binding_names = frozenset(['environment', 'overlay', 'executable-in-path', 'executable-in-var'])
26 network_offline = 'off-line'
27 network_minimal = 'minimal'
28 network_full = 'full'
29 network_levels = (network_offline, network_minimal, network_full)
31 stability_levels = {} # Name -> Stability
33 defaults = {
34 'PATH': '/bin:/usr/bin',
35 'XDG_CONFIG_DIRS': '/etc/xdg',
36 'XDG_DATA_DIRS': '/usr/local/share:/usr/share',
39 class InvalidInterface(SafeException):
40 """Raised when parsing an invalid feed."""
41 feed_url = None
43 def __init__(self, message, ex = None):
44 if ex:
45 try:
46 message += "\n\n(exact error: %s)" % ex
47 except:
48 # Some Python messages have type str but contain UTF-8 sequences.
49 # (e.g. IOException). Adding these to a Unicode 'message' (e.g.
50 # after gettext translation) will cause an error.
51 import codecs
52 decoder = codecs.lookup('utf-8')
53 decex = decoder.decode(str(ex), errors = 'replace')[0]
54 message += "\n\n(exact error: %s)" % decex
56 SafeException.__init__(self, message)
58 def __unicode__(self):
59 if hasattr(SafeException, '__unicode__'):
60 # Python >= 2.6
61 if self.feed_url:
62 return _('%s [%s]') % (SafeException.__unicode__(self), self.feed_url)
63 return SafeException.__unicode__(self)
64 else:
65 return unicode(SafeException.__str__(self))
67 def _split_arch(arch):
68 """Split an arch into an (os, machine) tuple. Either or both parts may be None."""
69 if not arch:
70 return None, None
71 elif '-' not in arch:
72 raise SafeException(_("Malformed arch '%s'") % arch)
73 else:
74 osys, machine = arch.split('-', 1)
75 if osys == '*': osys = None
76 if machine == '*': machine = None
77 return osys, machine
79 def _join_arch(osys, machine):
80 if osys == machine == None: return None
81 return "%s-%s" % (osys or '*', machine or '*')
83 def _best_language_match(options):
84 (language, encoding) = locale.getlocale()
86 if language:
87 # xml:lang uses '-', while LANG uses '_'
88 language = language.replace('_', '-')
89 else:
90 language = 'en-US'
92 return (options.get(language, None) or # Exact match (language+region)
93 options.get(language.split('-', 1)[0], None) or # Matching language
94 options.get('en', None)) # English
96 class Stability(object):
97 """A stability rating. Each implementation has an upstream stability rating and,
98 optionally, a user-set rating."""
99 __slots__ = ['level', 'name', 'description']
100 def __init__(self, level, name, description):
101 self.level = level
102 self.name = name
103 self.description = description
104 assert name not in stability_levels
105 stability_levels[name] = self
107 def __cmp__(self, other):
108 return cmp(self.level, other.level)
110 def __str__(self):
111 return self.name
113 def __repr__(self):
114 return _("<Stability: %s>") % self.description
116 def process_binding(e):
117 """Internal"""
118 if e.name == 'environment':
119 mode = {
120 None: EnvironmentBinding.PREPEND,
121 'prepend': EnvironmentBinding.PREPEND,
122 'append': EnvironmentBinding.APPEND,
123 'replace': EnvironmentBinding.REPLACE,
124 }[e.getAttribute('mode')]
126 binding = EnvironmentBinding(e.getAttribute('name'),
127 insert = e.getAttribute('insert'),
128 default = e.getAttribute('default'),
129 value = e.getAttribute('value'),
130 mode = mode,
131 separator = e.getAttribute('separator'))
132 if not binding.name: raise InvalidInterface(_("Missing 'name' in binding"))
133 if binding.insert is None and binding.value is None:
134 raise InvalidInterface(_("Missing 'insert' or 'value' in binding"))
135 if binding.insert is not None and binding.value is not None:
136 raise InvalidInterface(_("Binding contains both 'insert' and 'value'"))
137 return binding
138 elif e.name == 'executable-in-path':
139 return ExecutableBinding(e, in_path = True)
140 elif e.name == 'executable-in-var':
141 return ExecutableBinding(e, in_path = False)
142 elif e.name == 'overlay':
143 return OverlayBinding(e.getAttribute('src'), e.getAttribute('mount-point'))
144 else:
145 raise Exception(_("Unknown binding type '%s'") % e.name)
147 def process_depends(item, local_feed_dir):
148 """Internal"""
149 # Note: also called from selections
150 attrs = item.attrs
151 dep_iface = item.getAttribute('interface')
152 if not dep_iface:
153 raise InvalidInterface(_("Missing 'interface' on <%s>") % item.name)
154 if dep_iface.startswith('./'):
155 if local_feed_dir:
156 dep_iface = os.path.abspath(os.path.join(local_feed_dir, dep_iface))
157 # (updates the element too, in case we write it out again)
158 attrs['interface'] = dep_iface
159 else:
160 raise InvalidInterface(_('Relative interface URI "%s" in non-local feed') % dep_iface)
161 dependency = InterfaceDependency(dep_iface, element = item)
163 for e in item.childNodes:
164 if e.uri != XMLNS_IFACE: continue
165 if e.name in binding_names:
166 dependency.bindings.append(process_binding(e))
167 elif e.name == 'version':
168 dependency.restrictions.append(
169 VersionRangeRestriction(not_before = parse_version(e.getAttribute('not-before')),
170 before = parse_version(e.getAttribute('before'))))
171 return dependency
173 def N_(message): return message
175 insecure = Stability(0, N_('insecure'), _('This is a security risk'))
176 buggy = Stability(5, N_('buggy'), _('Known to have serious bugs'))
177 developer = Stability(10, N_('developer'), _('Work-in-progress - bugs likely'))
178 testing = Stability(20, N_('testing'), _('Stability unknown - please test!'))
179 stable = Stability(30, N_('stable'), _('Tested - no serious problems found'))
180 packaged = Stability(35, N_('packaged'), _('Supplied by the local package manager'))
181 preferred = Stability(40, N_('preferred'), _('Best of all - must be set manually'))
183 del N_
185 class Restriction(object):
186 """A Restriction limits the allowed implementations of an Interface."""
187 __slots__ = []
189 def meets_restriction(self, impl):
190 """Called by the L{solver.Solver} to check whether a particular implementation is acceptable.
191 @return: False if this implementation is not a possibility
192 @rtype: bool
194 raise NotImplementedError(_("Abstract"))
196 class VersionRestriction(Restriction):
197 """Only select implementations with a particular version number.
198 @since: 0.40"""
200 def __init__(self, version):
201 """@param version: the required version number
202 @see: L{parse_version}; use this to pre-process the version number
204 self.version = version
206 def meets_restriction(self, impl):
207 return impl.version == self.version
209 def __str__(self):
210 return _("(restriction: version = %s)") % format_version(self.version)
212 class VersionRangeRestriction(Restriction):
213 """Only versions within the given range are acceptable"""
214 __slots__ = ['before', 'not_before']
216 def __init__(self, before, not_before):
217 """@param before: chosen versions must be earlier than this
218 @param not_before: versions must be at least this high
219 @see: L{parse_version}; use this to pre-process the versions
221 self.before = before
222 self.not_before = not_before
224 def meets_restriction(self, impl):
225 if self.not_before and impl.version < self.not_before:
226 return False
227 if self.before and impl.version >= self.before:
228 return False
229 return True
231 def __str__(self):
232 if self.not_before is not None or self.before is not None:
233 range = ''
234 if self.not_before is not None:
235 range += format_version(self.not_before) + ' <= '
236 range += 'version'
237 if self.before is not None:
238 range += ' < ' + format_version(self.before)
239 else:
240 range = 'none'
241 return _("(restriction: %s)") % range
243 class Binding(object):
244 """Information about how the choice of a Dependency is made known
245 to the application being run."""
247 @property
248 def command(self):
249 """"Returns the name of the specific command needed by this binding, if any.
250 @since: 1.2"""
251 return None
253 class EnvironmentBinding(Binding):
254 """Indicate the chosen implementation using an environment variable."""
255 __slots__ = ['name', 'insert', 'default', 'mode', 'value']
257 PREPEND = 'prepend'
258 APPEND = 'append'
259 REPLACE = 'replace'
261 def __init__(self, name, insert, default = None, mode = PREPEND, value=None, separator=None):
263 mode argument added in version 0.28
264 value argument added in version 0.52
266 self.name = name
267 self.insert = insert
268 self.default = default
269 self.mode = mode
270 self.value = value
271 if separator is None:
272 self.separator = os.pathsep
273 else:
274 self.separator = separator
277 def __str__(self):
278 return _("<environ %(name)s %(mode)s %(insert)s %(value)s>") % {'name': self.name,'mode': self.mode, 'insert': self.insert, 'value': self.value}
280 __repr__ = __str__
282 def get_value(self, path, old_value):
283 """Calculate the new value of the environment variable after applying this binding.
284 @param path: the path to the selected implementation
285 @param old_value: the current value of the environment variable
286 @return: the new value for the environment variable"""
288 if self.insert is not None:
289 extra = os.path.join(path, self.insert)
290 else:
291 assert self.value is not None
292 extra = self.value
294 if self.mode == EnvironmentBinding.REPLACE:
295 return extra
297 if old_value is None:
298 old_value = self.default or defaults.get(self.name, None)
299 if old_value is None:
300 return extra
301 if self.mode == EnvironmentBinding.PREPEND:
302 return extra + self.separator + old_value
303 else:
304 return old_value + self.separator + extra
306 def _toxml(self, doc, prefixes):
307 """Create a DOM element for this binding.
308 @param doc: document to use to create the element
309 @return: the new element
311 env_elem = doc.createElementNS(XMLNS_IFACE, 'environment')
312 env_elem.setAttributeNS(None, 'name', self.name)
313 if self.mode is not None:
314 env_elem.setAttributeNS(None, 'mode', self.mode)
315 if self.insert is not None:
316 env_elem.setAttributeNS(None, 'insert', self.insert)
317 else:
318 env_elem.setAttributeNS(None, 'value', self.value)
319 if self.default:
320 env_elem.setAttributeNS(None, 'default', self.default)
321 if self.separator:
322 env_elem.setAttributeNS(None, 'separator', self.separator)
323 return env_elem
325 class ExecutableBinding(Binding):
326 """Make the chosen command available in $PATH.
327 @ivar in_path: True to add the named command to $PATH, False to store in named variable
328 @type in_path: bool
330 __slots__ = ['qdom']
332 def __init__(self, qdom, in_path):
333 self.qdom = qdom
334 self.in_path = in_path
336 def __str__(self):
337 return str(self.qdom)
339 __repr__ = __str__
341 def _toxml(self, doc, prefixes):
342 return self.qdom.toDOM(doc, prefixes)
344 @property
345 def name(self):
346 return self.qdom.getAttribute('name')
348 @property
349 def command(self):
350 return self.qdom.getAttribute("command") or 'run'
352 class OverlayBinding(Binding):
353 """Make the chosen implementation available by overlaying it onto another part of the file-system.
354 This is to support legacy programs which use hard-coded paths."""
355 __slots__ = ['src', 'mount_point']
357 def __init__(self, src, mount_point):
358 self.src = src
359 self.mount_point = mount_point
361 def __str__(self):
362 return _("<overlay %(src)s on %(mount_point)s>") % {'src': self.src or '.', 'mount_point': self.mount_point or '/'}
364 __repr__ = __str__
366 def _toxml(self, doc):
367 """Create a DOM element for this binding.
368 @param doc: document to use to create the element
369 @return: the new element
371 env_elem = doc.createElementNS(XMLNS_IFACE, 'overlay')
372 if self.src is not None:
373 env_elem.setAttributeNS(None, 'src', self.src)
374 if self.mount_point is not None:
375 env_elem.setAttributeNS(None, 'mount-point', self.mount_point)
376 return env_elem
378 class Feed(object):
379 """An interface's feeds are other interfaces whose implementations can also be
380 used as implementations of this interface."""
381 __slots__ = ['uri', 'os', 'machine', 'user_override', 'langs']
382 def __init__(self, uri, arch, user_override, langs = None):
383 self.uri = uri
384 # This indicates whether the feed comes from the user's overrides
385 # file. If true, writer.py will write it when saving.
386 self.user_override = user_override
387 self.os, self.machine = _split_arch(arch)
388 self.langs = langs
390 def __str__(self):
391 return "<Feed from %s>" % self.uri
392 __repr__ = __str__
394 arch = property(lambda self: _join_arch(self.os, self.machine))
396 class Dependency(object):
397 """A Dependency indicates that an Implementation requires some additional
398 code to function. This is an abstract base class.
399 @ivar qdom: the XML element for this Dependency (since 0launch 0.51)
400 @type qdom: L{qdom.Element}
401 @ivar metadata: any extra attributes from the XML element
402 @type metadata: {str: str}
404 __slots__ = ['qdom']
406 Essential = "essential"
407 Recommended = "recommended"
409 def __init__(self, element):
410 assert isinstance(element, qdom.Element), type(element) # Use InterfaceDependency instead!
411 self.qdom = element
413 @property
414 def metadata(self):
415 return self.qdom.attrs
417 @property
418 def importance(self):
419 return self.qdom.getAttribute("importance") or Dependency.Essential
421 def get_required_commands(self):
422 """Return a list of command names needed by this dependency"""
423 return []
425 class InterfaceDependency(Dependency):
426 """A Dependency on a Zero Install interface.
427 @ivar interface: the interface required by this dependency
428 @type interface: str
429 @ivar restrictions: a list of constraints on acceptable implementations
430 @type restrictions: [L{Restriction}]
431 @ivar bindings: how to make the choice of implementation known
432 @type bindings: [L{Binding}]
433 @since: 0.28
435 __slots__ = ['interface', 'restrictions', 'bindings']
437 def __init__(self, interface, restrictions = None, element = None):
438 Dependency.__init__(self, element)
439 assert isinstance(interface, (str, unicode))
440 assert interface
441 self.interface = interface
442 if restrictions is None:
443 self.restrictions = []
444 else:
445 self.restrictions = restrictions
446 self.bindings = []
448 def __str__(self):
449 return _("<Dependency on %(interface)s; bindings: %(bindings)s%(restrictions)s>") % {'interface': self.interface, 'bindings': self.bindings, 'restrictions': self.restrictions}
451 def get_required_commands(self):
452 """Return a list of command names needed by this dependency"""
453 if self.qdom.name == 'runner':
454 commands = [self.qdom.getAttribute('command') or 'run']
455 else:
456 commands = []
457 for b in self.bindings:
458 c = b.command
459 if c is not None:
460 commands.append(c)
461 return commands
463 @property
464 def command(self):
465 if self.qdom.name == 'runner':
466 return self.qdom.getAttribute('command') or 'run'
467 return None
469 class RetrievalMethod(object):
470 """A RetrievalMethod provides a way to fetch an implementation."""
471 __slots__ = []
473 class DownloadSource(RetrievalMethod):
474 """A DownloadSource provides a way to fetch an implementation."""
475 __slots__ = ['implementation', 'url', 'size', 'extract', 'start_offset', 'type']
477 def __init__(self, implementation, url, size, extract, start_offset = 0, type = None):
478 self.implementation = implementation
479 self.url = url
480 self.size = size
481 self.extract = extract
482 self.start_offset = start_offset
483 self.type = type # MIME type - see unpack.py
485 class Recipe(RetrievalMethod):
486 """Get an implementation by following a series of steps.
487 @ivar size: the combined download sizes from all the steps
488 @type size: int
489 @ivar steps: the sequence of steps which must be performed
490 @type steps: [L{RetrievalMethod}]"""
491 __slots__ = ['steps']
493 def __init__(self):
494 self.steps = []
496 size = property(lambda self: sum([x.size for x in self.steps]))
498 class DistributionSource(RetrievalMethod):
499 """A package that is installed using the distribution's tools (including PackageKit).
500 @ivar install: a function to call to install this package
501 @type install: (L{handler.Handler}) -> L{tasks.Blocker}
502 @ivar package_id: the package name, in a form recognised by the distribution's tools
503 @type package_id: str
504 @ivar size: the download size in bytes
505 @type size: int
506 @ivar needs_confirmation: whether the user should be asked to confirm before calling install()
507 @type needs_confirmation: bool"""
509 __slots__ = ['package_id', 'size', 'install', 'needs_confirmation']
511 def __init__(self, package_id, size, install, needs_confirmation = True):
512 RetrievalMethod.__init__(self)
513 self.package_id = package_id
514 self.size = size
515 self.install = install
516 self.needs_confirmation = needs_confirmation
518 class Command(object):
519 """A Command is a way of running an Implementation as a program."""
521 __slots__ = ['qdom', '_depends', '_local_dir', '_runner']
523 def __init__(self, qdom, local_dir):
524 """@param qdom: the <command> element
525 @param local_dir: the directory containing the feed (for relative dependencies), or None if not local
527 assert qdom.name == 'command', 'not <command>: %s' % qdom
528 self.qdom = qdom
529 self._local_dir = local_dir
530 self._depends = None
532 path = property(lambda self: self.qdom.attrs.get("path", None))
534 def _toxml(self, doc, prefixes):
535 return self.qdom.toDOM(doc, prefixes)
537 @property
538 def requires(self):
539 if self._depends is None:
540 self._runner = None
541 depends = []
542 for child in self.qdom.childNodes:
543 if child.name == 'requires':
544 dep = process_depends(child, self._local_dir)
545 depends.append(dep)
546 elif child.name == 'runner':
547 if self._runner:
548 raise InvalidInterface(_("Multiple <runner>s in <command>!"))
549 dep = process_depends(child, self._local_dir)
550 depends.append(dep)
551 self._runner = dep
552 self._depends = depends
553 return self._depends
555 def get_runner(self):
556 self.requires # (sets _runner)
557 return self._runner
559 def __str__(self):
560 return str(self.qdom)
562 class Implementation(object):
563 """An Implementation is a package which implements an Interface.
564 @ivar download_sources: list of methods of getting this implementation
565 @type download_sources: [L{RetrievalMethod}]
566 @ivar feed: the feed owning this implementation (since 0.32)
567 @type feed: [L{ZeroInstallFeed}]
568 @ivar bindings: how to tell this component where it itself is located (since 0.31)
569 @type bindings: [Binding]
570 @ivar upstream_stability: the stability reported by the packager
571 @type upstream_stability: [insecure | buggy | developer | testing | stable | packaged]
572 @ivar user_stability: the stability as set by the user
573 @type upstream_stability: [insecure | buggy | developer | testing | stable | packaged | preferred]
574 @ivar langs: natural languages supported by this package
575 @type langs: str
576 @ivar requires: interfaces this package depends on
577 @type requires: [L{Dependency}]
578 @ivar commands: ways to execute as a program
579 @type commands: {str: Command}
580 @ivar metadata: extra metadata from the feed
581 @type metadata: {"[URI ]localName": str}
582 @ivar id: a unique identifier for this Implementation
583 @ivar version: a parsed version number
584 @ivar released: release date
585 @ivar local_path: the directory containing this local implementation, or None if it isn't local (id isn't a path)
586 @type local_path: str | None
587 @ivar requires_root_install: whether the user will need admin rights to use this
588 @type requires_root_install: bool
591 # Note: user_stability shouldn't really be here
593 __slots__ = ['upstream_stability', 'user_stability', 'langs',
594 'requires', 'metadata', 'download_sources', 'commands',
595 'id', 'feed', 'version', 'released', 'bindings', 'machine']
597 def __init__(self, feed, id):
598 assert id
599 self.feed = feed
600 self.id = id
601 self.user_stability = None
602 self.upstream_stability = None
603 self.metadata = {} # [URI + " "] + localName -> value
604 self.requires = []
605 self.version = None
606 self.released = None
607 self.download_sources = []
608 self.langs = ""
609 self.machine = None
610 self.bindings = []
611 self.commands = {}
613 def get_stability(self):
614 return self.user_stability or self.upstream_stability or testing
616 def __str__(self):
617 return self.id
619 def __repr__(self):
620 return "v%s (%s)" % (self.get_version(), self.id)
622 def __cmp__(self, other):
623 """Newer versions come first"""
624 d = cmp(other.version, self.version)
625 if d: return d
626 # If the version number is the same, just give a stable sort order, and
627 # ensure that two different implementations don't compare equal.
628 d = cmp(other.feed.url, self.feed.url)
629 if d: return d
630 return cmp(other.id, self.id)
632 def get_version(self):
633 """Return the version as a string.
634 @see: L{format_version}
636 return format_version(self.version)
638 arch = property(lambda self: _join_arch(self.os, self.machine))
640 os = None
641 local_path = None
642 digests = None
643 requires_root_install = False
645 def _get_main(self):
646 """"@deprecated: use commands["run"] instead"""
647 main = self.commands.get("run", None)
648 if main is not None:
649 return main.path
650 return None
651 def _set_main(self, path):
652 """"@deprecated: use commands["run"] instead"""
653 if path is None:
654 if "run" in self.commands:
655 del self.commands["run"]
656 else:
657 self.commands["run"] = Command(qdom.Element(XMLNS_IFACE, 'command', {'path': path}), None)
658 main = property(_get_main, _set_main)
660 def is_available(self, stores):
661 """Is this Implementation available locally?
662 (a local implementation, an installed distribution package, or a cached ZeroInstallImplementation)
663 @rtype: bool
664 @since: 0.53
666 raise NotImplementedError("abstract")
668 class DistributionImplementation(Implementation):
669 """An implementation provided by the distribution. Information such as the version
670 comes from the package manager.
671 @since: 0.28"""
672 __slots__ = ['distro', 'installed']
674 def __init__(self, feed, id, distro):
675 assert id.startswith('package:')
676 Implementation.__init__(self, feed, id)
677 self.distro = distro
678 self.installed = False
680 @property
681 def requires_root_install(self):
682 return not self.installed
684 def is_available(self, stores):
685 return self.installed
687 class ZeroInstallImplementation(Implementation):
688 """An implementation where all the information comes from Zero Install.
689 @ivar digests: a list of "algorith=value" strings (since 0.45)
690 @type digests: [str]
691 @since: 0.28"""
692 __slots__ = ['os', 'size', 'digests', 'local_path']
694 def __init__(self, feed, id, local_path):
695 """id can be a local path (string starting with /) or a manifest hash (eg "sha1=XXX")"""
696 assert not id.startswith('package:'), id
697 Implementation.__init__(self, feed, id)
698 self.size = None
699 self.os = None
700 self.digests = []
701 self.local_path = local_path
703 # Deprecated
704 dependencies = property(lambda self: dict([(x.interface, x) for x in self.requires
705 if isinstance(x, InterfaceDependency)]))
707 def add_download_source(self, url, size, extract, start_offset = 0, type = None):
708 """Add a download source."""
709 self.download_sources.append(DownloadSource(self, url, size, extract, start_offset, type))
711 def set_arch(self, arch):
712 self.os, self.machine = _split_arch(arch)
713 arch = property(lambda self: _join_arch(self.os, self.machine), set_arch)
715 def is_available(self, stores):
716 if self.local_path is not None:
717 return os.path.exists(self.local_path)
718 if self.digests:
719 path = stores.lookup_maybe(self.digests)
720 return path is not None
721 return False # (0compile creates fake entries with no digests)
723 class Interface(object):
724 """An Interface represents some contract of behaviour.
725 @ivar uri: the URI for this interface.
726 @ivar stability_policy: user's configured policy.
727 Implementations at this level or higher are preferred.
728 Lower levels are used only if there is no other choice.
730 __slots__ = ['uri', 'stability_policy', 'extra_feeds']
732 implementations = property(lambda self: self._main_feed.implementations)
733 name = property(lambda self: self._main_feed.name)
734 description = property(lambda self: self._main_feed.description)
735 summary = property(lambda self: self._main_feed.summary)
736 last_modified = property(lambda self: self._main_feed.last_modified)
737 feeds = property(lambda self: self.extra_feeds + self._main_feed.feeds)
738 metadata = property(lambda self: self._main_feed.metadata)
740 last_checked = property(lambda self: self._main_feed.last_checked)
742 def __init__(self, uri):
743 assert uri
744 if uri.startswith('http:') or uri.startswith('https:') or os.path.isabs(uri):
745 self.uri = uri
746 else:
747 raise SafeException(_("Interface name '%s' doesn't start "
748 "with 'http:' or 'https:'") % uri)
749 self.reset()
751 def _get_feed_for(self):
752 retval = {}
753 for key in self._main_feed.feed_for:
754 retval[key] = True
755 return retval
756 feed_for = property(_get_feed_for) # Deprecated (used by 0publish)
758 def reset(self):
759 self.extra_feeds = []
760 self.stability_policy = None
762 def get_name(self):
763 from zeroinstall.injector.iface_cache import iface_cache
764 feed = iface_cache.get_feed(self.uri)
765 if feed:
766 return feed.get_name()
767 return '(' + os.path.basename(self.uri) + ')'
769 def __repr__(self):
770 return _("<Interface %s>") % self.uri
772 def set_stability_policy(self, new):
773 assert new is None or isinstance(new, Stability)
774 self.stability_policy = new
776 def get_feed(self, url):
777 #import warnings
778 #warnings.warn("use iface_cache.get_feed instead", DeprecationWarning, 2)
779 for x in self.extra_feeds:
780 if x.uri == url:
781 return x
782 #return self._main_feed.get_feed(url)
783 return None
785 def get_metadata(self, uri, name):
786 return self._main_feed.get_metadata(uri, name)
788 @property
789 def _main_feed(self):
790 #import warnings
791 #warnings.warn("use the feed instead", DeprecationWarning, 3)
792 from zeroinstall.injector import policy
793 iface_cache = policy.get_deprecated_singleton_config().iface_cache
794 feed = iface_cache.get_feed(self.uri)
795 if feed is None:
796 return _dummy_feed
797 return feed
799 def _merge_attrs(attrs, item):
800 """Add each attribute of item to a copy of attrs and return the copy.
801 @type attrs: {str: str}
802 @type item: L{qdom.Element}
803 @rtype: {str: str}
805 new = attrs.copy()
806 for a in item.attrs:
807 new[str(a)] = item.attrs[a]
808 return new
810 def _get_long(elem, attr_name):
811 val = elem.getAttribute(attr_name)
812 if val is not None:
813 try:
814 val = int(val)
815 except ValueError:
816 raise SafeException(_("Invalid value for integer attribute '%(attribute_name)s': %(value)s") % {'attribute_name': attr_name, 'value': val})
817 return val
819 class ZeroInstallFeed(object):
820 """A feed lists available implementations of an interface.
821 @ivar url: the URL for this feed
822 @ivar implementations: Implementations in this feed, indexed by ID
823 @type implementations: {str: L{Implementation}}
824 @ivar name: human-friendly name
825 @ivar summaries: short textual description (in various languages, since 0.49)
826 @type summaries: {str: str}
827 @ivar descriptions: long textual description (in various languages, since 0.49)
828 @type descriptions: {str: str}
829 @ivar last_modified: timestamp on signature
830 @ivar last_checked: time feed was last successfully downloaded and updated
831 @ivar feeds: list of <feed> elements in this feed
832 @type feeds: [L{Feed}]
833 @ivar feed_for: interfaces for which this could be a feed
834 @type feed_for: set(str)
835 @ivar metadata: extra elements we didn't understand
837 # _main is deprecated
838 __slots__ = ['url', 'implementations', 'name', 'descriptions', 'first_description', 'summaries', 'first_summary', '_package_implementations',
839 'last_checked', 'last_modified', 'feeds', 'feed_for', 'metadata']
841 def __init__(self, feed_element, local_path = None, distro = None):
842 """Create a feed object from a DOM.
843 @param feed_element: the root element of a feed file
844 @type feed_element: L{qdom.Element}
845 @param local_path: the pathname of this local feed, or None for remote feeds"""
846 self.implementations = {}
847 self.name = None
848 self.summaries = {} # { lang: str }
849 self.first_summary = None
850 self.descriptions = {} # { lang: str }
851 self.first_description = None
852 self.last_modified = None
853 self.feeds = []
854 self.feed_for = set()
855 self.metadata = []
856 self.last_checked = None
857 self._package_implementations = []
859 if distro is not None:
860 import warnings
861 warnings.warn("distro argument is now ignored", DeprecationWarning, 2)
863 if feed_element is None:
864 return # XXX subclass?
866 assert feed_element.name in ('interface', 'feed'), "Root element should be <interface>, not %s" % feed_element
867 assert feed_element.uri == XMLNS_IFACE, "Wrong namespace on root element: %s" % feed_element.uri
869 main = feed_element.getAttribute('main')
870 #if main: warn("Setting 'main' on the root element is deprecated. Put it on a <group> instead")
872 if local_path:
873 self.url = local_path
874 local_dir = os.path.dirname(local_path)
875 else:
876 self.url = feed_element.getAttribute('uri')
877 if not self.url:
878 raise InvalidInterface(_("<interface> uri attribute missing"))
879 local_dir = None # Can't have relative paths
881 min_injector_version = feed_element.getAttribute('min-injector-version')
882 if min_injector_version:
883 if parse_version(min_injector_version) > parse_version(version):
884 raise InvalidInterface(_("This feed requires version %(min_version)s or later of "
885 "Zero Install, but I am only version %(version)s. "
886 "You can get a newer version from http://0install.net") %
887 {'min_version': min_injector_version, 'version': version})
889 for x in feed_element.childNodes:
890 if x.uri != XMLNS_IFACE:
891 self.metadata.append(x)
892 continue
893 if x.name == 'name':
894 self.name = x.content
895 elif x.name == 'description':
896 if self.first_description == None:
897 self.first_description = x.content
898 self.descriptions[x.attrs.get("http://www.w3.org/XML/1998/namespace lang", 'en')] = x.content
899 elif x.name == 'summary':
900 if self.first_summary == None:
901 self.first_summary = x.content
902 self.summaries[x.attrs.get("http://www.w3.org/XML/1998/namespace lang", 'en')] = x.content
903 elif x.name == 'feed-for':
904 feed_iface = x.getAttribute('interface')
905 if not feed_iface:
906 raise InvalidInterface(_('Missing "interface" attribute in <feed-for>'))
907 self.feed_for.add(feed_iface)
908 # Bug report from a Debian/stable user that --feed gets the wrong value.
909 # Can't reproduce (even in a Debian/stable chroot), but add some logging here
910 # in case it happens again.
911 debug(_("Is feed-for %s"), feed_iface)
912 elif x.name == 'feed':
913 feed_src = x.getAttribute('src')
914 if not feed_src:
915 raise InvalidInterface(_('Missing "src" attribute in <feed>'))
916 if feed_src.startswith('http:') or feed_src.startswith('https:') or local_path:
917 langs = x.getAttribute('langs')
918 if langs: langs = langs.replace('_', '-')
919 self.feeds.append(Feed(feed_src, x.getAttribute('arch'), False, langs = langs))
920 else:
921 raise InvalidInterface(_("Invalid feed URL '%s'") % feed_src)
922 else:
923 self.metadata.append(x)
925 if not self.name:
926 raise InvalidInterface(_("Missing <name> in feed"))
927 if not self.summary:
928 raise InvalidInterface(_("Missing <summary> in feed"))
930 def process_group(group, group_attrs, base_depends, base_bindings, base_commands):
931 for item in group.childNodes:
932 if item.uri != XMLNS_IFACE: continue
934 if item.name not in ('group', 'implementation', 'package-implementation'):
935 continue
937 # We've found a group or implementation. Scan for dependencies,
938 # bindings and commands. Doing this here means that:
939 # - We can share the code for groups and implementations here.
940 # - The order doesn't matter, because these get processed first.
941 # A side-effect is that the document root cannot contain
942 # these.
944 depends = base_depends[:]
945 bindings = base_bindings[:]
946 commands = base_commands.copy()
948 for attr, command in [('main', 'run'),
949 ('self-test', 'test')]:
950 value = item.attrs.get(attr, None)
951 if value is not None:
952 commands[command] = Command(qdom.Element(XMLNS_IFACE, 'command', {'name': command, 'path': value}), None)
954 for child in item.childNodes:
955 if child.uri != XMLNS_IFACE: continue
956 if child.name == 'requires':
957 dep = process_depends(child, local_dir)
958 depends.append(dep)
959 elif child.name == 'command':
960 command_name = child.attrs.get('name', None)
961 if not command_name:
962 raise InvalidInterface('Missing name for <command>')
963 commands[command_name] = Command(child, local_dir)
964 elif child.name in binding_names:
965 bindings.append(process_binding(child))
967 compile_command = item.attrs.get('http://zero-install.sourceforge.net/2006/namespaces/0compile command')
968 if compile_command is not None:
969 commands['compile'] = Command(qdom.Element(XMLNS_IFACE, 'command', {'name': 'compile', 'shell-command': compile_command}), None)
971 item_attrs = _merge_attrs(group_attrs, item)
973 if item.name == 'group':
974 process_group(item, item_attrs, depends, bindings, commands)
975 elif item.name == 'implementation':
976 process_impl(item, item_attrs, depends, bindings, commands)
977 elif item.name == 'package-implementation':
978 if depends:
979 warn("A <package-implementation> with dependencies in %s!", self.url)
980 self._package_implementations.append((item, item_attrs))
981 else:
982 assert 0
984 def process_impl(item, item_attrs, depends, bindings, commands):
985 id = item.getAttribute('id')
986 if id is None:
987 raise InvalidInterface(_("Missing 'id' attribute on %s") % item)
988 local_path = item_attrs.get('local-path')
989 if local_dir and local_path:
990 abs_local_path = os.path.abspath(os.path.join(local_dir, local_path))
991 impl = ZeroInstallImplementation(self, id, abs_local_path)
992 elif local_dir and (id.startswith('/') or id.startswith('.')):
993 # For old feeds
994 id = os.path.abspath(os.path.join(local_dir, id))
995 impl = ZeroInstallImplementation(self, id, id)
996 else:
997 impl = ZeroInstallImplementation(self, id, None)
998 if '=' in id:
999 # In older feeds, the ID was the (single) digest
1000 impl.digests.append(id)
1001 if id in self.implementations:
1002 warn(_("Duplicate ID '%(id)s' in feed '%(feed)s'"), {'id': id, 'feed': self})
1003 self.implementations[id] = impl
1005 impl.metadata = item_attrs
1006 try:
1007 version_mod = item_attrs.get('version-modifier', None)
1008 if version_mod:
1009 item_attrs['version'] += version_mod
1010 del item_attrs['version-modifier']
1011 version = item_attrs['version']
1012 except KeyError:
1013 raise InvalidInterface(_("Missing version attribute"))
1014 impl.version = parse_version(version)
1016 impl.commands = commands
1018 impl.released = item_attrs.get('released', None)
1019 impl.langs = item_attrs.get('langs', '').replace('_', '-')
1021 size = item.getAttribute('size')
1022 if size:
1023 impl.size = int(size)
1024 impl.arch = item_attrs.get('arch', None)
1025 try:
1026 stability = stability_levels[str(item_attrs['stability'])]
1027 except KeyError:
1028 stab = str(item_attrs['stability'])
1029 if stab != stab.lower():
1030 raise InvalidInterface(_('Stability "%s" invalid - use lower case!') % item_attrs.stability)
1031 raise InvalidInterface(_('Stability "%s" invalid') % item_attrs['stability'])
1032 if stability >= preferred:
1033 raise InvalidInterface(_("Upstream can't set stability to preferred!"))
1034 impl.upstream_stability = stability
1036 impl.bindings = bindings
1037 impl.requires = depends
1039 for elem in item.childNodes:
1040 if elem.uri != XMLNS_IFACE: continue
1041 if elem.name == 'archive':
1042 url = elem.getAttribute('href')
1043 if not url:
1044 raise InvalidInterface(_("Missing href attribute on <archive>"))
1045 size = elem.getAttribute('size')
1046 if not size:
1047 raise InvalidInterface(_("Missing size attribute on <archive>"))
1048 impl.add_download_source(url = url, size = int(size),
1049 extract = elem.getAttribute('extract'),
1050 start_offset = _get_long(elem, 'start-offset'),
1051 type = elem.getAttribute('type'))
1052 elif elem.name == 'manifest-digest':
1053 for aname, avalue in elem.attrs.iteritems():
1054 if ' ' not in aname:
1055 impl.digests.append('%s=%s' % (aname, avalue))
1056 elif elem.name == 'recipe':
1057 recipe = Recipe()
1058 for recipe_step in elem.childNodes:
1059 if recipe_step.uri == XMLNS_IFACE and recipe_step.name == 'archive':
1060 url = recipe_step.getAttribute('href')
1061 if not url:
1062 raise InvalidInterface(_("Missing href attribute on <archive>"))
1063 size = recipe_step.getAttribute('size')
1064 if not size:
1065 raise InvalidInterface(_("Missing size attribute on <archive>"))
1066 recipe.steps.append(DownloadSource(None, url = url, size = int(size),
1067 extract = recipe_step.getAttribute('extract'),
1068 start_offset = _get_long(recipe_step, 'start-offset'),
1069 type = recipe_step.getAttribute('type')))
1070 else:
1071 info(_("Unknown step '%s' in recipe; skipping recipe"), recipe_step.name)
1072 break
1073 else:
1074 impl.download_sources.append(recipe)
1076 root_attrs = {'stability': 'testing'}
1077 root_commands = {}
1078 if main:
1079 info("Note: @main on document element is deprecated in %s", self)
1080 root_commands['run'] = Command(qdom.Element(XMLNS_IFACE, 'command', {'path': main}), None)
1081 process_group(feed_element, root_attrs, [], [], root_commands)
1083 def get_distro_feed(self):
1084 """Does this feed contain any <pacakge-implementation> elements?
1085 i.e. is it worth asking the package manager for more information?
1086 @return: the URL of the virtual feed, or None
1087 @since: 0.49"""
1088 if self._package_implementations:
1089 return "distribution:" + self.url
1090 return None
1092 def get_package_impls(self, distro):
1093 """Find the best <pacakge-implementation> element(s) for the given distribution.
1094 @param distro: the distribution to use to rate them
1095 @type distro: L{distro.Distribution}
1096 @return: a list of tuples for the best ranked elements
1097 @rtype: [str]
1098 @since: 0.49"""
1099 best_score = 0
1100 best_impls = []
1102 for item, item_attrs in self._package_implementations:
1103 distro_names = item_attrs.get('distributions', '')
1104 for distro_name in distro_names.split(' '):
1105 score = distro.get_score(distro_name)
1106 if score > best_score:
1107 best_score = score
1108 best_impls = []
1109 if score == best_score:
1110 best_impls.append((item, item_attrs))
1111 return best_impls
1113 def get_name(self):
1114 return self.name or '(' + os.path.basename(self.url) + ')'
1116 def __repr__(self):
1117 return _("<Feed %s>") % self.url
1119 def set_stability_policy(self, new):
1120 assert new is None or isinstance(new, Stability)
1121 self.stability_policy = new
1123 def get_feed(self, url):
1124 for x in self.feeds:
1125 if x.uri == url:
1126 return x
1127 return None
1129 def add_metadata(self, elem):
1130 self.metadata.append(elem)
1132 def get_metadata(self, uri, name):
1133 """Return a list of interface metadata elements with this name and namespace URI."""
1134 return [m for m in self.metadata if m.name == name and m.uri == uri]
1136 @property
1137 def summary(self):
1138 return _best_language_match(self.summaries) or self.first_summary
1140 @property
1141 def description(self):
1142 return _best_language_match(self.descriptions) or self.first_description
1144 class DummyFeed(object):
1145 """Temporary class used during API transition."""
1146 last_modified = None
1147 name = '-'
1148 last_checked = property(lambda self: None)
1149 implementations = property(lambda self: {})
1150 feeds = property(lambda self: [])
1151 summary = property(lambda self: '-')
1152 description = property(lambda self: '')
1153 def get_name(self): return self.name
1154 def get_feed(self, url): return None
1155 def get_metadata(self, uri, name): return []
1156 _dummy_feed = DummyFeed()
1158 def unescape(uri):
1159 """Convert each %20 to a space, etc.
1160 @rtype: str"""
1161 uri = uri.replace('#', '/')
1162 if '%' not in uri: return uri
1163 return re.sub('%[0-9a-fA-F][0-9a-fA-F]',
1164 lambda match: chr(int(match.group(0)[1:], 16)),
1165 uri).decode('utf-8')
1167 def escape(uri):
1168 """Convert each space to %20, etc
1169 @rtype: str"""
1170 return re.sub('[^-_.a-zA-Z0-9]',
1171 lambda match: '%%%02x' % ord(match.group(0)),
1172 uri.encode('utf-8'))
1174 def _pretty_escape(uri):
1175 """Convert each space to %20, etc
1176 : is preserved and / becomes #. This makes for nicer strings,
1177 and may replace L{escape} everywhere in future.
1178 @rtype: str"""
1179 if os.name == "posix":
1180 # Only preserve : on Posix systems
1181 preserveRegex = '[^-_.a-zA-Z0-9:/]'
1182 else:
1183 # Other OSes may not allow the : character in file names
1184 preserveRegex = '[^-_.a-zA-Z0-9/]'
1185 return re.sub(preserveRegex,
1186 lambda match: '%%%02x' % ord(match.group(0)),
1187 uri.encode('utf-8')).replace('/', '#')
1189 def canonical_iface_uri(uri):
1190 """If uri is a relative path, convert to an absolute one.
1191 A "file:///foo" URI is converted to "/foo".
1192 An "alias:prog" URI expands to the URI in the 0alias script
1193 Otherwise, return it unmodified.
1194 @rtype: str
1195 @raise SafeException: if uri isn't valid
1197 if uri.startswith('http://') or uri.startswith('https://'):
1198 if uri.count("/") < 3:
1199 raise SafeException(_("Missing / after hostname in URI '%s'") % uri)
1200 return uri
1201 elif uri.startswith('file:///'):
1202 return uri[7:]
1203 elif uri.startswith('alias:'):
1204 from zeroinstall import alias, support
1205 alias_prog = uri[6:]
1206 if not os.path.isabs(alias_prog):
1207 full_path = support.find_in_path(alias_prog)
1208 if not full_path:
1209 raise alias.NotAnAliasScript("Not found in $PATH: " + alias_prog)
1210 else:
1211 full_path = alias_prog
1212 return alias.parse_script(full_path).uri
1213 else:
1214 iface_uri = os.path.realpath(uri)
1215 if os.path.isfile(iface_uri):
1216 return iface_uri
1217 raise SafeException(_("Bad interface name '%(uri)s'.\n"
1218 "(doesn't start with 'http:', and "
1219 "doesn't exist as a local file '%(interface_uri)s' either)") %
1220 {'uri': uri, 'interface_uri': iface_uri})
1222 _version_mod_to_value = {
1223 'pre': -2,
1224 'rc': -1,
1225 '': 0,
1226 'post': 1,
1229 # Reverse mapping
1230 _version_value_to_mod = {}
1231 for x in _version_mod_to_value: _version_value_to_mod[_version_mod_to_value[x]] = x
1232 del x
1234 _version_re = re.compile('-([a-z]*)')
1236 def parse_version(version_string):
1237 """Convert a version string to an internal representation.
1238 The parsed format can be compared quickly using the standard Python functions.
1239 - Version := DottedList ("-" Mod DottedList?)*
1240 - DottedList := (Integer ("." Integer)*)
1241 @rtype: tuple (opaque)
1242 @raise SafeException: if the string isn't a valid version
1243 @since: 0.24 (moved from L{reader}, from where it is still available):"""
1244 if version_string is None: return None
1245 parts = _version_re.split(version_string)
1246 if parts[-1] == '':
1247 del parts[-1] # Ends with a modifier
1248 else:
1249 parts.append('')
1250 if not parts:
1251 raise SafeException(_("Empty version string!"))
1252 l = len(parts)
1253 try:
1254 for x in range(0, l, 2):
1255 part = parts[x]
1256 if part:
1257 parts[x] = map(int, parts[x].split('.'))
1258 else:
1259 parts[x] = [] # (because ''.split('.') == [''], not [])
1260 for x in range(1, l, 2):
1261 parts[x] = _version_mod_to_value[parts[x]]
1262 return parts
1263 except ValueError as ex:
1264 raise SafeException(_("Invalid version format in '%(version_string)s': %(exception)s") % {'version_string': version_string, 'exception': ex})
1265 except KeyError as ex:
1266 raise SafeException(_("Invalid version modifier in '%(version_string)s': %(exception)s") % {'version_string': version_string, 'exception': ex})
1268 def format_version(version):
1269 """Format a parsed version for display. Undoes the effect of L{parse_version}.
1270 @see: L{Implementation.get_version}
1271 @rtype: str
1272 @since: 0.24"""
1273 version = version[:]
1274 l = len(version)
1275 for x in range(0, l, 2):
1276 version[x] = '.'.join(map(str, version[x]))
1277 for x in range(1, l, 2):
1278 version[x] = '-' + _version_value_to_mod[version[x]]
1279 if version[-1] == '-': del version[-1]
1280 return ''.join(version)