4 Script to automate some parts of checking NEW packages
6 Most functions are written in a functional programming style. They
7 return a string avoiding the side effect of directly printing the string
8 to stdout. Those functions can be used in multithreaded parts of dak.
10 @contact: Debian FTP Master <ftpmaster@debian.org>
11 @copyright: 2000, 2001, 2002, 2003, 2006 James Troup <james@nocrew.org>
12 @copyright: 2009 Joerg Jaspert <joerg@debian.org>
13 @license: GNU General Public License version 2 or later
16 # This program is free software; you can redistribute it and/or modify
17 # it under the terms of the GNU General Public License as published by
18 # the Free Software Foundation; either version 2 of the License, or
19 # (at your option) any later version.
21 # This program is distributed in the hope that it will be useful,
22 # but WITHOUT ANY WARRANTY; without even the implied warranty of
23 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
24 # GNU General Public License for more details.
26 # You should have received a copy of the GNU General Public License
27 # along with this program; if not, write to the Free Software
28 # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
30 ################################################################################
32 # <Omnic> elmo wrote docs?!!?!?!?!?!?!
33 # <aj> as if he wasn't scary enough before!!
34 # * aj imagines a little red furry toy sitting hunched over a computer
35 # tapping furiously and giggling to himself
36 # <aj> eventually he stops, and his heads slowly spins around and you
37 # see this really evil grin and then he sees you, and picks up a
38 # knife from beside the keyboard and throws it at you, and as you
39 # breathe your last breath, he starts giggling again
40 # <aj> but i should be telling this to my psychiatrist, not you guys,
43 ################################################################################
45 # suppress some deprecation warnings in squeeze related to md5 module
47 warnings.filterwarnings('ignore', \
48 "the md5 module is deprecated; use hashlib instead", \
62 from daklib import utils
63 from daklib.dbconn import DBConn, get_component_by_package_suite
64 from daklib.gpg import SignedFile
65 from daklib.regexes import html_escaping, re_html_escaping, re_version, re_spacestrip, \
66 re_contrib, re_nonfree, re_localhost, re_newlinespace, \
67 re_package, re_doc_directory
68 from daklib.dak_exceptions import ChangesUnicodeError
70 ################################################################################
73 Cnf = utils.get_conf()
75 printed = threading.local()
76 printed.copyrights = {}
77 package_relations = {} #: Store relations of packages for later output
79 # default is to not output html.
82 ################################################################################
84 def usage (exit_code=0):
85 print """Usage: dak examine-package [PACKAGE]...
88 -h, --help show this help and exit
89 -H, --html-output output html page with inspection result
90 -f, --file-name filename for the html page
92 PACKAGE can be a .changes, .dsc, .deb or .udeb filename."""
96 ################################################################################
97 # probably xml.sax.saxutils would work as well
99 def escape_if_needed(s):
101 return re_html_escaping.sub(lambda x: html_escaping.get(x.group(0)), s)
105 def headline(s, level=2, bodyelement=None):
109 <tr><th colspan="2" class="title" onclick="toggle('%(bodyelement)s', 'table-row-group', 'table-row-group')">%(title)s <span class="toggle-msg">(click to toggle)</span></th></tr>
110 </thead>\n"""%{"bodyelement":bodyelement,"title":utils.html_escape(os.path.basename(s))}
112 return "<h%d>%s</h%d>\n" % (level, utils.html_escape(s), level)
114 return "---- %s ----\n" % (s)
116 # Colour definitions, 'end' isn't really for use
120 'contrib': "\033[33m",
121 'nonfree': "\033[31m",
122 'provides': "\033[35m",
126 'maintainer': "\033[32m",
127 'distro': "\033[1m\033[41m"}
130 'main': ('<span style="color: aqua">',"</span>"),
131 'contrib': ('<span style="color: yellow">',"</span>"),
132 'nonfree': ('<span style="color: red">',"</span>"),
133 'provides': ('<span style="color: magenta">',"</span>"),
134 'arch': ('<span style="color: green">',"</span>"),
135 'bold': ('<span style="font-weight: bold">',"</span>"),
136 'maintainer': ('<span style="color: green">',"</span>"),
137 'distro': ('<span style="font-weight: bold; background-color: red">',"</span>")}
139 def colour_output(s, colour):
141 return ("%s%s%s" % (html_colours[colour][0], utils.html_escape(s), html_colours[colour][1]))
143 return ("%s%s%s" % (ansi_colours[colour], s, ansi_colours['end']))
145 def escaped_text(s, strip=False):
149 return "<pre>%s</pre>" % (s)
153 def formatted_text(s, strip=False):
157 return "<pre>%s</pre>" % (utils.html_escape(s))
163 return """<tr><td>"""+s+"""</td></tr>"""
167 def format_field(k,v):
169 return """<tr><td class="key">%s:</td><td class="val">%s</td></tr>"""%(k,v)
171 return "%s: %s"%(k,v)
173 def foldable_output(title, elementnameprefix, content, norow=False):
174 d = {'elementnameprefix':elementnameprefix}
177 result += """<div id="%(elementnameprefix)s-wrap"><a name="%(elementnameprefix)s" />
178 <table class="infobox rfc822">\n"""%d
179 result += headline(title, bodyelement="%(elementnameprefix)s-body"%d)
181 result += """ <tbody id="%(elementnameprefix)s-body" class="infobody">\n"""%d
183 result += content + "\n"
185 result += output_row(content) + "\n"
187 result += """</tbody></table></div>"""
190 ################################################################################
192 def get_depends_parts(depend) :
193 v_match = re_version.match(depend)
195 d_parts = { 'name' : v_match.group(1), 'version' : v_match.group(2) }
197 d_parts = { 'name' : depend , 'version' : '' }
200 def get_or_list(depend) :
201 or_list = depend.split("|")
204 def get_comma_list(depend) :
205 dep_list = depend.split(",")
208 def split_depends (d_str) :
209 # creates a list of lists of dictionaries of depends (package,version relation)
211 d_str = re_spacestrip.sub('',d_str)
213 # first split depends string up amongs comma delimiter
214 dep_list = get_comma_list(d_str)
216 while d < len(dep_list):
217 # put depends into their own list
218 depends_tree.append([dep_list[d]])
221 while d < len(depends_tree):
223 # split up Or'd depends into a multi-item list
224 depends_tree[d] = get_or_list(depends_tree[d][0])
225 while k < len(depends_tree[d]):
226 # split depends into {package, version relation}
227 depends_tree[d][k] = get_depends_parts(depends_tree[d][k])
232 def read_control (filename):
239 deb_file = utils.open_file(filename)
241 extracts = utils.deb_extract_control(deb_file)
242 control = apt_pkg.TagSection(extracts)
244 print formatted_text("can't parse control info")
250 control_keys = control.keys()
252 if "Depends" in control:
253 depends_str = control["Depends"]
254 # create list of dependancy lists
255 depends = split_depends(depends_str)
257 if "Recommends" in control:
258 recommends_str = control["Recommends"]
259 recommends = split_depends(recommends_str)
261 if "Section" in control:
262 section_str = control["Section"]
264 c_match = re_contrib.search(section_str)
265 nf_match = re_nonfree.search(section_str)
268 section = colour_output(section_str, 'contrib')
271 section = colour_output(section_str, 'nonfree')
274 section = colour_output(section_str, 'main')
275 if "Architecture" in control:
276 arch_str = control["Architecture"]
277 arch = colour_output(arch_str, 'arch')
279 if "Maintainer" in control:
280 maintainer = control["Maintainer"]
281 localhost = re_localhost.search(maintainer)
284 maintainer = colour_output(maintainer, 'maintainer')
286 maintainer = escape_if_needed(maintainer)
288 return (control, control_keys, section, depends, recommends, arch, maintainer)
290 def read_changes_or_dsc (suite, filename, session = None):
293 dsc_file = utils.open_file(filename)
295 dsc = utils.parse_changes(filename, dsc_file=1)
297 return formatted_text("can't parse .dsc control info")
300 filecontents = strip_pgp_signature(filename)
302 for l in filecontents.split('\n'):
303 m = re.match(r'([-a-zA-Z0-9]*):', l)
305 keysinorder.append(m.group(1))
308 if k in ("build-depends","build-depends-indep"):
309 dsc[k] = create_depends_string(suite, split_depends(dsc[k]), session)
310 elif k == "architecture":
311 if (dsc["architecture"] != "any"):
312 dsc['architecture'] = colour_output(dsc["architecture"], 'arch')
313 elif k == "distribution":
314 if dsc["distribution"] not in ('unstable', 'experimental'):
315 dsc['distribution'] = colour_output(dsc["distribution"], 'distro')
316 elif k in ("files","changes","description"):
318 dsc[k] = formatted_text(dsc[k], strip=True)
320 dsc[k] = ('\n'+'\n'.join(map(lambda x: ' '+x, dsc[k].split('\n')))).rstrip()
322 dsc[k] = escape_if_needed(dsc[k])
324 keysinorder = filter(lambda x: not x.lower().startswith('checksums-'), keysinorder)
326 filecontents = '\n'.join(map(lambda x: format_field(x,dsc[x.lower()]), keysinorder))+'\n'
329 def get_provides(suite):
331 session = DBConn().session()
332 query = '''SELECT DISTINCT value
333 FROM binaries_metadata m
334 JOIN bin_associations b
339 WHERE key = 'Provides' )
343 WHERE suite_name = '%(suite)s'
344 OR codename = '%(suite)s')''' % \
346 for p in session.execute(query):
348 for i in e.split(','):
349 provides.add(i.strip())
353 def create_depends_string (suite, depends_tree, session = None):
355 if suite == 'experimental':
356 suite_list = ['experimental','unstable']
362 for l in depends_tree:
363 if (comma_count >= 2):
369 # doesn't do version lookup yet.
371 component = get_component_by_package_suite(d['name'], suite_list, \
373 if component is not None:
375 if d['version'] != '' :
376 adepends += " (%s)" % (d['version'])
378 if component == "contrib":
379 result += colour_output(adepends, "contrib")
380 elif component == "non-free":
381 result += colour_output(adepends, "nonfree")
383 result += colour_output(adepends, "main")
386 if d['version'] != '' :
387 adepends += " (%s)" % (d['version'])
389 provides = get_provides(suite)
390 if d['name'] in provides:
391 result += colour_output(adepends, "provides")
393 result += colour_output(adepends, "bold")
398 def output_package_relations ():
400 Output the package relations, if there is more than one package checked in this run.
403 if len(package_relations) < 2:
404 # Only list something if we have more than one binary to compare
405 package_relations.clear()
409 for package in package_relations:
410 for relation in package_relations[package]:
411 to_print += "%-15s: (%s) %s\n" % (package, relation, package_relations[package][relation])
413 package_relations.clear()
414 return foldable_output("Package relations", "relations", to_print)
416 def output_deb_info(suite, filename, packagename, session = None):
417 (control, control_keys, section, depends, recommends, arch, maintainer) = read_control(filename)
420 return formatted_text("no control info")
422 if not package_relations.has_key(packagename):
423 package_relations[packagename] = {}
424 for key in control_keys :
426 field_value = create_depends_string(suite, depends, session)
427 package_relations[packagename][key] = field_value
428 elif key == 'Recommends':
429 field_value = create_depends_string(suite, recommends, session)
430 package_relations[packagename][key] = field_value
431 elif key == 'Section':
432 field_value = section
433 elif key == 'Architecture':
435 elif key == 'Maintainer':
436 field_value = maintainer
437 elif key == 'Description':
439 field_value = formatted_text(control.find(key), strip=True)
441 desc = control.find(key)
442 desc = re_newlinespace.sub('\n ', desc)
443 field_value = escape_if_needed(desc)
445 field_value = escape_if_needed(control.find(key))
446 to_print += " "+format_field(key,field_value)+'\n'
449 def do_command (command, filename, escaped=0):
450 o = os.popen("%s %s" % (command, filename))
452 return escaped_text(o.read())
454 return formatted_text(o.read())
456 def do_lintian (filename):
458 return do_command("lintian --show-overrides --color html", filename, 1)
460 return do_command("lintian --show-overrides --color always", filename, 1)
462 def get_copyright (deb_filename):
465 package = re_package.sub(r'\1', os.path.basename(deb_filename))
466 o = os.popen("dpkg-deb -c %s | egrep 'usr(/share)?/doc/[^/]*/copyright' | awk '{print $6}' | head -n 1" % (deb_filename))
467 cright = o.read()[:-1]
470 return formatted_text("WARNING: No copyright found, please check package manually.")
472 doc_directory = re_doc_directory.sub(r'\1', cright)
473 if package != doc_directory:
474 return formatted_text("WARNING: wrong doc directory (expected %s, got %s)." % (package, doc_directory))
476 o = os.popen("dpkg-deb --fsys-tarfile %s | tar xvOf - %s 2>/dev/null" % (deb_filename, cright))
478 copyrightmd5 = md5.md5(cright).hexdigest()
481 if printed.copyrights.has_key(copyrightmd5) and printed.copyrights[copyrightmd5] != "%s (%s)" % (package, os.path.basename(deb_filename)):
482 res += formatted_text( "NOTE: Copyright is the same as %s.\n\n" % \
483 (printed.copyrights[copyrightmd5]))
485 printed.copyrights[copyrightmd5] = "%s (%s)" % (package, os.path.basename(deb_filename))
486 return res+formatted_text(cright)
488 def get_readme_source (dsc_filename):
489 tempdir = utils.temp_dirname()
492 cmd = "dpkg-source --no-check --no-copy -x %s %s" % (dsc_filename, tempdir)
493 (result, output) = commands.getstatusoutput(cmd)
495 res = "How is education supposed to make me feel smarter? Besides, every time I learn something new, it pushes some\n old stuff out of my brain. Remember when I took that home winemaking course, and I forgot how to drive?\n"
496 res += "Error, couldn't extract source, WTF?\n"
497 res += "'dpkg-source -x' failed. return code: %s.\n\n" % (result)
501 path = os.path.join(tempdir, 'debian/README.source')
503 if os.path.exists(path):
504 res += do_command("cat", path)
506 res += "No README.source in this package\n\n"
509 shutil.rmtree(tempdir)
511 if errno.errorcode[e.errno] != 'EACCES':
512 res += "%s: couldn't remove tmp dir %s for source tree." % (dsc_filename, tempdir)
516 def check_dsc (suite, dsc_filename, session = None):
517 (dsc) = read_changes_or_dsc(suite, dsc_filename, session)
518 return foldable_output(dsc_filename, "dsc", dsc, norow=True) + \
520 foldable_output("lintian check for %s" % dsc_filename,
521 "source-lintian", do_lintian(dsc_filename)) + \
523 foldable_output("README.source for %s" % dsc_filename,
524 "source-readmesource", get_readme_source(dsc_filename))
526 def check_deb (suite, deb_filename, session = None):
527 filename = os.path.basename(deb_filename)
528 packagename = filename.split('_')[0]
530 if filename.endswith(".udeb"):
535 result = foldable_output("control file for %s" % (filename), "binary-%s-control"%packagename,
536 output_deb_info(suite, deb_filename, packagename, session), norow=True) + "\n"
539 result += foldable_output("skipping lintian check for udeb",
540 "binary-%s-lintian"%packagename, "") + "\n"
542 result += foldable_output("lintian check for %s" % (filename),
543 "binary-%s-lintian"%packagename, do_lintian(deb_filename)) + "\n"
545 result += foldable_output("contents of %s" % (filename), "binary-%s-contents"%packagename,
546 do_command("dpkg -c", deb_filename)) + "\n"
549 result += foldable_output("skipping copyright for udeb",
550 "binary-%s-copyright"%packagename, "") + "\n"
552 result += foldable_output("copyright of %s" % (filename),
553 "binary-%s-copyright"%packagename, get_copyright(deb_filename)) + "\n"
557 # Read a file, strip the signature and return the modified contents as
559 def strip_pgp_signature (filename):
560 with utils.open_file(filename) as f:
562 signedfile = SignedFile(data, keyrings=(), require_signature=False)
563 return signedfile.contents
565 def display_changes(suite, changes_filename):
567 changes = read_changes_or_dsc(suite, changes_filename)
568 printed.copyrights = {}
569 return foldable_output(changes_filename, "changes", changes, norow=True)
571 def check_changes (changes_filename):
573 changes = utils.parse_changes (changes_filename)
574 except ChangesUnicodeError:
575 utils.warn("Encoding problem with changes file %s" % (changes_filename))
576 print display_changes(changes['distribution'], changes_filename)
578 files = utils.build_file_list(changes)
579 for f in files.keys():
580 if f.endswith(".deb") or f.endswith(".udeb"):
581 print check_deb(changes['distribution'], f)
582 if f.endswith(".dsc"):
583 print check_dsc(changes['distribution'], f)
587 global Cnf, db_files, waste, excluded
589 # Cnf = utils.get_conf()
591 Arguments = [('h',"help","Examine-Package::Options::Help"),
592 ('H',"html-output","Examine-Package::Options::Html-Output"),
594 for i in [ "Help", "Html-Output", "partial-html" ]:
595 if not Cnf.has_key("Examine-Package::Options::%s" % (i)):
596 Cnf["Examine-Package::Options::%s" % (i)] = ""
598 args = apt_pkg.parse_commandline(Cnf,Arguments,sys.argv)
599 Options = Cnf.subtree("Examine-Package::Options")
604 if Options["Html-Output"]:
608 stdout_fd = sys.stdout
612 if not Options["Html-Output"]:
613 # Pipe output for each argument through less
614 less_fd = os.popen("less -R -", 'w', 0)
615 # -R added to display raw control chars for colour
618 if f.endswith(".changes"):
620 elif f.endswith(".deb") or f.endswith(".udeb"):
621 # default to unstable when we don't have a .changes file
622 # perhaps this should be a command line option?
623 print check_deb('unstable', f)
624 elif f.endswith(".dsc"):
625 print check_dsc('unstable', f)
627 utils.fubar("Unrecognised file type: '%s'." % (f))
629 print output_package_relations()
630 if not Options["Html-Output"]:
631 # Reset stdout here so future less invocations aren't FUBAR
633 sys.stdout = stdout_fd
635 if errno.errorcode[e.errno] == 'EPIPE':
636 utils.warn("[examine-package] Caught EPIPE; skipping.")
640 except KeyboardInterrupt:
641 utils.warn("[examine-package] Caught C-c; skipping.")
644 #######################################################################################
646 if __name__ == '__main__':