Merged changes from master
[zeroinstall/solver.git] / zeroinstall / injector / handler.py
blobe26cfb107fd522f9955fe1c4398636230c1e8aa3
1 """
2 Integrates download callbacks with an external mainloop.
3 While things are being downloaded, Zero Install returns control to your program.
4 Your mainloop is responsible for monitoring the state of the downloads and notifying
5 Zero Install when they are complete.
7 To do this, you supply a L{Handler} to the L{policy}.
8 """
10 # Copyright (C) 2009, Thomas Leonard
11 # See the README file for details, or visit http://0install.net.
13 from zeroinstall import _
14 import sys
15 from logging import warn, info
17 from zeroinstall import NeedDownload, SafeException
18 from zeroinstall.support import tasks
19 from zeroinstall.injector import download
21 class NoTrustedKeys(SafeException):
22 """Thrown by L{Handler.confirm_import_feed} on failure."""
23 pass
25 class Handler(object):
26 """
27 A Handler is used to interact with the user (e.g. to confirm keys, display download progress, etc).
29 @ivar monitored_downloads: dict of downloads in progress
30 @type monitored_downloads: {URL: L{download.Download}}
31 @ivar n_completed_downloads: number of downloads which have finished for GUIs, etc (can be reset as desired).
32 @type n_completed_downloads: int
33 @ivar total_bytes_downloaded: informational counter for GUIs, etc (can be reset as desired). Updated when download finishes.
34 @type total_bytes_downloaded: int
35 @ivar dry_run: instead of starting a download, just report what we would have downloaded
36 @type dry_run: bool
37 """
39 __slots__ = ['monitored_downloads', 'dry_run', 'total_bytes_downloaded', 'n_completed_downloads']
41 def __init__(self, mainloop = None, dry_run = False):
42 self.monitored_downloads = {}
43 self.dry_run = dry_run
44 self.n_completed_downloads = 0
45 self.total_bytes_downloaded = 0
47 def monitor_download(self, dl):
48 """Called when a new L{download} is started.
49 This is mainly used by the GUI to display the progress bar."""
50 dl.start()
51 self.monitored_downloads[dl.url] = dl
52 self.downloads_changed()
54 @tasks.async
55 def download_done_stats():
56 yield dl.downloaded
57 # NB: we don't check for exceptions here; someone else should be doing that
58 try:
59 self.n_completed_downloads += 1
60 self.total_bytes_downloaded += dl.get_bytes_downloaded_so_far()
61 del self.monitored_downloads[dl.url]
62 self.downloads_changed()
63 except Exception, ex:
64 self.report_error(ex)
65 download_done_stats()
67 def impl_added_to_store(self, impl):
68 """Called by the L{fetch.Fetcher} when adding an implementation.
69 The GUI uses this to update its display.
70 @param impl: the implementation which has been added
71 @type impl: L{model.Implementation}
72 """
73 pass
75 def downloads_changed(self):
76 """This is just for the GUI to override to update its display."""
77 pass
79 def wait_for_blocker(self, blocker):
80 """@deprecated: use tasks.wait_for_blocker instead"""
81 tasks.wait_for_blocker(blocker)
83 def get_download(self, url, force = False, hint = None, factory = None):
84 """Return the Download object currently downloading 'url'.
85 If no download for this URL has been started, start one now (and
86 start monitoring it).
87 If the download failed and force is False, return it anyway.
88 If force is True, abort any current or failed download and start
89 a new one.
90 @rtype: L{download.Download}
91 """
92 if self.dry_run:
93 raise NeedDownload(url)
95 try:
96 dl = self.monitored_downloads[url]
97 if dl and force:
98 dl.abort()
99 raise KeyError
100 except KeyError:
101 if factory is None:
102 dl = download.Download(url, hint)
103 else:
104 dl = factory(url, hint)
105 self.monitor_download(dl)
106 return dl
108 @tasks.async
109 def confirm_import_feed(self, pending, valid_sigs):
110 """Sub-classes should override this method to interact with the user about new feeds.
111 If multiple feeds need confirmation, L{trust.TrustMgr.confirm_keys} will only invoke one instance of this
112 method at a time.
113 @param pending: the new feed to be imported
114 @type pending: L{PendingFeed}
115 @param valid_sigs: maps signatures to a list of fetchers collecting information about the key
116 @type valid_sigs: {L{gpg.ValidSig} : L{fetch.KeyInfoFetcher}}
117 @since: 0.42"""
118 from zeroinstall.injector import trust
120 assert valid_sigs
122 domain = trust.domain_from_url(pending.url)
124 # Ask on stderr, because we may be writing XML to stdout
125 print >>sys.stderr, _("Feed: %s") % pending.url
126 print >>sys.stderr, _("The feed is correctly signed with the following keys:")
127 for x in valid_sigs:
128 print >>sys.stderr, "-", unicode(x).encode('ascii', 'xmlcharrefreplace')
130 def text(parent):
131 text = ""
132 for node in parent.childNodes:
133 if node.nodeType == node.TEXT_NODE:
134 text = text + node.data
135 return text
137 shown = set()
138 key_info_fetchers = valid_sigs.values()
139 while key_info_fetchers:
140 old_kfs = key_info_fetchers
141 key_info_fetchers = []
142 for kf in old_kfs:
143 infos = set(kf.info) - shown
144 if infos:
145 if len(valid_sigs) > 1:
146 print "%s: " % kf.fingerprint
147 for key_info in infos:
148 print >>sys.stderr, "-", text(key_info)
149 shown.add(key_info)
150 if kf.blocker:
151 key_info_fetchers.append(kf)
152 if key_info_fetchers:
153 for kf in key_info_fetchers: print >>sys.stderr, kf.status
154 #stdin = tasks.InputBlocker(0, 'console')
155 blockers = [kf.blocker for kf in key_info_fetchers] #+ [stdin]
156 yield blockers
157 for b in blockers:
158 try:
159 tasks.check(b)
160 except Exception, ex:
161 warn(_("Failed to get key info: %s"), ex)
162 #if stdin.happened:
163 # print >>sys.stderr, _("Skipping remaining key lookups due to input from user")
164 # break
165 if not shown:
166 print >>sys.stderr, _("Warning: Nothing known about this key!")
168 if len(valid_sigs) == 1:
169 print >>sys.stderr, _("Do you want to trust this key to sign feeds from '%s'?") % domain
170 else:
171 print >>sys.stderr, _("Do you want to trust all of these keys to sign feeds from '%s'?") % domain
172 while True:
173 print >>sys.stderr, _("Trust [Y/N] ")
174 sys.stderr.flush()
175 i = raw_input()
176 if not i: continue
177 if i in 'Nn':
178 raise NoTrustedKeys(_('Not signed with a trusted key'))
179 if i in 'Yy':
180 break
181 for key in valid_sigs:
182 print >>sys.stderr, _("Trusting %(key_fingerprint)s for %(domain)s") % {'key_fingerprint': key.fingerprint, 'domain': domain}
183 trust.trust_db.trust_key(key.fingerprint, domain)
185 @tasks.async
186 def confirm_install(self, msg):
187 """We need to check something with the user before continuing with the install.
188 @raise download.DownloadAborted: if the user cancels"""
189 yield
190 print >>sys.stderr, msg
191 while True:
192 sys.stderr.write(_("Install [Y/N] "))
193 sys.stderr.flush()
194 i = raw_input()
195 if not i: continue
196 if i in 'Nn':
197 raise download.DownloadAborted()
198 if i in 'Yy':
199 break
201 def report_error(self, exception, tb = None):
202 """Report an exception to the user.
203 @param exception: the exception to report
204 @type exception: L{SafeException}
205 @param tb: optional traceback
206 @since: 0.25"""
207 warn("%s", str(exception) or type(exception))
208 #import traceback
209 #traceback.print_exception(exception, None, tb)
211 class ConsoleHandler(Handler):
212 """A Handler that displays progress on stdout (a tty).
213 @since: 0.44"""
214 last_msg_len = None
215 update = None
216 disable_progress = 0
217 screen_width = None
219 def downloads_changed(self):
220 import gobject
221 if self.monitored_downloads and self.update is None:
222 if self.screen_width is None:
223 try:
224 import curses
225 curses.setupterm()
226 self.screen_width = curses.tigetnum('cols') or 80
227 except Exception, ex:
228 info("Failed to initialise curses library: %s", ex)
229 self.screen_width = 80
230 self.show_progress()
231 self.update = gobject.timeout_add(200, self.show_progress)
232 elif len(self.monitored_downloads) == 0:
233 if self.update:
234 gobject.source_remove(self.update)
235 self.update = None
236 print
237 self.last_msg_len = None
239 def show_progress(self):
240 urls = self.monitored_downloads.keys()
241 if not urls: return True
243 if self.disable_progress: return True
245 screen_width = self.screen_width - 2
246 item_width = max(16, screen_width / len(self.monitored_downloads))
247 url_width = item_width - 7
249 msg = ""
250 for url in sorted(urls):
251 dl = self.monitored_downloads[url]
252 so_far = dl.get_bytes_downloaded_so_far()
253 leaf = url.rsplit('/', 1)[-1]
254 if len(leaf) >= url_width:
255 display = leaf[:url_width]
256 else:
257 display = url[-url_width:]
258 if dl.expected_size:
259 msg += "[%s %d%%] " % (display, int(so_far * 100 / dl.expected_size))
260 else:
261 msg += "[%s] " % (display)
262 msg = msg[:screen_width]
264 if self.last_msg_len is None:
265 sys.stdout.write(msg)
266 else:
267 sys.stdout.write(chr(13) + msg)
268 if len(msg) < self.last_msg_len:
269 sys.stdout.write(" " * (self.last_msg_len - len(msg)))
271 self.last_msg_len = len(msg)
272 sys.stdout.flush()
274 return True
276 def clear_display(self):
277 if self.last_msg_len != None:
278 sys.stdout.write(chr(13) + " " * self.last_msg_len + chr(13))
279 sys.stdout.flush()
280 self.last_msg_len = None
282 def report_error(self, exception, tb = None):
283 self.clear_display()
284 Handler.report_error(self, exception, tb)
286 def confirm_import_feed(self, pending, valid_sigs):
287 self.clear_display()
288 self.disable_progress += 1
289 blocker = Handler.confirm_import_feed(self, pending, valid_sigs)
290 @tasks.async
291 def enable():
292 yield blocker
293 self.disable_progress -= 1
294 self.show_progress()
295 enable()
296 return blocker
298 class BatchHandler(Handler):
299 """A Handler that writes easily parseable data to stderr."""
301 def confirm_import_feed(self, pending, valid_sigs):
302 print >>sys.stderr, "QUESTION:"
303 return Handler.confirm_import_feed(self, pending, valid_sigs)
305 def confirm_trust_keys(self, interface, sigs, iface_xml):
306 print >>sys.stderr, "QUESTION:"
307 return Handler.confirm_trust_keys(self, interface, sigs, iface_xml)