]> git.decadent.org.uk Git - dak.git/blob - jennifer
cross suite version checking. saner othercomponents support.
[dak.git] / jennifer
1 #!/usr/bin/env python
2
3 # Checks Debian packages from Incoming
4 # Copyright (C) 2000, 2001, 2002  James Troup <james@nocrew.org>
5 # $Id: jennifer,v 1.18 2002-05-14 15:35:22 troup Exp $
6
7 # This program is free software; you can redistribute it and/or modify
8 # it under the terms of the GNU General Public License as published by
9 # the Free Software Foundation; either version 2 of the License, or
10 # (at your option) any later version.
11
12 # This program is distributed in the hope that it will be useful,
13 # but WITHOUT ANY WARRANTY; without even the implied warranty of
14 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15 # GNU General Public License for more details.
16
17 # You should have received a copy of the GNU General Public License
18 # along with this program; if not, write to the Free Software
19 # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA  02111-1307  USA
20
21 # Originally based on dinstall by Guy Maor <maor@debian.org>
22
23 ################################################################################
24
25 # Computer games don't affect kids. I mean if Pacman affected our generation as
26 # kids, we'd all run around in a darkened room munching pills and listening to
27 # repetitive music.
28 #         -- Unknown
29
30 ################################################################################
31
32 import FCNTL, errno, fcntl, gzip, os, re, select, shutil, stat, string, sys, time, traceback;
33 import apt_inst, apt_pkg;
34 import db_access, katie, logging, utils;
35
36 from types import *;
37
38 ################################################################################
39
40 re_bad_diff = re.compile("^[\-\+][\-\+][\-\+] /dev/null");
41 re_is_changes = re.compile (r"(.+?)_(.+?)_(.+?)\.changes$");
42
43 ################################################################################
44
45 # Globals
46 jennifer_version = "$Revision: 1.18 $";
47
48 Cnf = None;
49 Options = None;
50 Logger = None;
51 Katie = None;
52
53 reprocess = 0;
54 in_holding = {};
55
56 # Aliases to the real vars in the Katie class; hysterical raisins.
57 reject_message = "";
58 changes = {};
59 dsc = {};
60 dsc_files = {};
61 files = {};
62 pkg = {};
63
64 ###############################################################################
65
66 def init():
67     global Cnf, Options, Katie, changes, dsc, dsc_files, files, pkg;
68
69     apt_pkg.init();
70
71     Cnf = apt_pkg.newConfiguration();
72     apt_pkg.ReadConfigFileISC(Cnf,utils.which_conf_file());
73
74     Arguments = [('a',"automatic","Dinstall::Options::Automatic"),
75                  ('h',"help","Dinstall::Options::Help"),
76                  ('n',"no-action","Dinstall::Options::No-Action"),
77                  ('p',"no-lock", "Dinstall::Options::No-Lock"),
78                  ('s',"no-mail", "Dinstall::Options::No-Mail"),
79                  ('V',"version","Dinstall::Options::Version")];
80
81     for i in ["automatic", "help", "no-action", "no-lock", "no-mail",
82               "override-distribution", "version"]:
83         Cnf["Dinstall::Options::%s" % (i)] = "";
84
85     changes_files = apt_pkg.ParseCommandLine(Cnf,Arguments,sys.argv);
86     Options = Cnf.SubTree("Dinstall::Options")
87
88     Katie = katie.Katie(Cnf);
89
90     changes = Katie.pkg.changes;
91     dsc = Katie.pkg.dsc;
92     dsc_files = Katie.pkg.dsc_files;
93     files = Katie.pkg.files;
94     pkg = Katie.pkg;
95
96     return changes_files;
97
98 #########################################################################################
99
100 def usage (exit_code=0):
101     print """Usage: dinstall [OPTION]... [CHANGES]...
102   -a, --automatic           automatic run
103   -h, --help                show this help and exit.
104   -n, --no-action           don't do anything
105   -p, --no-lock             don't check lockfile !! for cron.daily only !!
106   -s, --no-mail             don't send any mail
107   -V, --version             display the version number and exit"""
108     sys.exit(exit_code)
109
110 #########################################################################################
111
112 # Our very own version of commands.getouputstatus(), hacked to support
113 # gpgv's status fd.
114 def get_status_output(cmd, status_read, status_write):
115     cmd = ['/bin/sh', '-c', cmd];
116     p2cread, p2cwrite = os.pipe();
117     c2pread, c2pwrite = os.pipe();
118     errout, errin = os.pipe();
119     pid = os.fork();
120     if pid == 0:
121         # Child
122         os.close(0);
123         os.close(1);
124         os.dup(p2cread);
125         os.dup(c2pwrite);
126         os.close(2);
127         os.dup(errin);
128         for i in range(3, 256):
129             if i != status_write:
130                 try:
131                     os.close(i);
132                 except:
133                     pass;
134         try:
135             os.execvp(cmd[0], cmd);
136         finally:
137             os._exit(1);
138
139     # parent
140     os.close(p2cread)
141     os.dup2(c2pread, c2pwrite);
142     os.dup2(errout, errin);
143
144     output = status = "";
145     while 1:
146         i, o, e = select.select([c2pwrite, errin, status_read], [], []);
147         more_data = [];
148         for fd in i:
149             r = os.read(fd, 8196);
150             if len(r) > 0:
151                 more_data.append(fd);
152                 if fd == c2pwrite or fd == errin:
153                     output = output + r;
154                 elif fd == status_read:
155                     status = status + r;
156                 else:
157                     utils.fubar("Unexpected file descriptor [%s] returned from select\n" % (fd));
158         if not more_data:
159             pid, exit_status = os.waitpid(pid, 0)
160             try:
161                 os.close(status_write);
162                 os.close(status_read);
163                 os.close(c2pread);
164                 os.close(c2pwrite);
165                 os.close(p2cwrite);
166                 os.close(errin);
167                 os.close(errout);
168             except:
169                 pass;
170             break;
171
172     return output, status, exit_status;
173
174 #########################################################################################
175
176 def Dict(**dict): return dict
177
178 def reject (str, prefix="Rejected: "):
179     global reject_message;
180     if str:
181         reject_message = reject_message + prefix + str + "\n";
182
183 #########################################################################################
184
185 def check_signature (filename):
186     if not utils.re_taint_free.match(os.path.basename(filename)):
187         reject("!!WARNING!! tainted filename: '%s'." % (filename));
188         return 0;
189
190     status_read, status_write = os.pipe();
191     cmd = "gpgv --status-fd %s --keyring %s --keyring %s %s" \
192           % (status_write, Cnf["Dinstall::PGPKeyring"], Cnf["Dinstall::GPGKeyring"], filename);
193     (output, status, exit_status) = get_status_output(cmd, status_read, status_write);
194
195     # Process the status-fd output
196     keywords = {};
197     bad = internal_error = "";
198     for line in string.split(status, '\n'):
199         line = string.strip(line);
200         if line == "":
201             continue;
202         split = string.split(line);
203         if len(split) < 2:
204             internal_error = internal_error + "gpgv status line is malformed (< 2 atoms) ['%s'].\n" % (line);
205             continue;
206         (gnupg, keyword) = split[:2];
207         if gnupg != "[GNUPG:]":
208             internal_error = internal_error + "gpgv status line is malformed (incorrect prefix '%s').\n" % (gnupg);
209             continue;
210         args = split[2:];
211         if keywords.has_key(keyword) and keyword != "NODATA":
212             internal_error = internal_error + "found duplicate status token ('%s').\n" % (keyword);
213             continue;
214         else:
215             keywords[keyword] = args;
216
217     # If we failed to parse the status-fd output, let's just whine and bail now
218     if internal_error:
219         reject("internal error while performing signature check on %s." % (filename));
220         reject(internal_error, "");
221         reject("Please report the above errors to the Archive maintainers by replying to this mail.", "");
222         return None;
223
224     # Now check for obviously bad things in the processed output
225     if keywords.has_key("SIGEXPIRED"):
226         reject("key used to sign %s has expired." % (filename));
227         bad = 1;
228     if keywords.has_key("KEYREVOKED"):
229         reject("key used to sign %s has been revoked." % (filename));
230         bad = 1;
231     if keywords.has_key("BADSIG"):
232         reject("bad signature on %s." % (filename));
233         bad = 1;
234     if keywords.has_key("ERRSIG") and not keywords.has_key("NO_PUBKEY"):
235         reject("failed to check signature on %s." % (filename));
236         bad = 1;
237     if keywords.has_key("NO_PUBKEY"):
238         reject("key used to sign %s not found in keyring." % (filename));
239         bad = 1;
240     if keywords.has_key("BADARMOR"):
241         reject("ascii armour of signature was corrupt in %s." % (filename));
242         bad = 1;
243     if keywords.has_key("NODATA"):
244         reject("no signature found in %s." % (filename));
245         bad = 1;
246
247     if bad:
248         return None;
249
250     # Next check gpgv exited with a zero return code
251     if exit_status:
252         reject("gpgv failed while checking %s." % (filename));
253         if string.strip(status):
254             reject(utils.prefix_multi_line_string(status, " [GPG status-fd output:] "), "");
255         else:
256             reject(utils.prefix_multi_line_string(output, " [GPG output:] "), "");
257         return None;
258
259     # Sanity check the good stuff we expect
260     if not keywords.has_key("VALIDSIG"):
261         reject("signature on %s does not appear to be valid [No VALIDSIG]." % (filename));
262         bad = 1;
263     else:
264         args = keywords["VALIDSIG"];
265         if len(args) < 1:
266             reject("internal error while checking signature on %s." % (filename));
267             bad = 1;
268         else:
269             fingerprint = args[0];
270     if not keywords.has_key("GOODSIG"):
271         reject("signature on %s does not appear to be valid [No GOODSIG]." % (filename));
272         bad = 1;
273     if not keywords.has_key("SIG_ID"):
274         reject("signature on %s does not appear to be valid [No SIG_ID]." % (filename));
275         bad = 1;
276
277     # Finally ensure there's not something we don't recognise
278     known_keywords = Dict(VALIDSIG="",SIG_ID="",GOODSIG="",BADSIG="",ERRSIG="",
279                           SIGEXPIRED="",KEYREVOKED="",NO_PUBKEY="",BADARMOR="",
280                           NODATA="");
281
282     for keyword in keywords.keys():
283         if not known_keywords.has_key(keyword):
284             reject("found unknown status token '%s' from gpgv with args '%s' in %s." % (keyword, repr(keywords[keyword]), filename));
285             bad = 1;
286
287     if bad:
288         return None;
289     else:
290         return fingerprint;
291
292 ################################################################################
293
294 def copy_to_holding(filename):
295     global in_holding;
296
297     base_filename = os.path.basename(filename);
298
299     dest = Cnf["Dir::Queue::Holding"] + '/' + base_filename;
300     try:
301         fd = os.open(dest, os.O_RDWR|os.O_CREAT|os.O_EXCL, 0640);
302         os.close(fd);
303     except OSError, e:
304         # Shouldn't happen, but will if, for example, someone lists a
305         # file twice in the .changes.
306         if errno.errorcode[e.errno] == 'EEXIST':
307             reject("%s already exists in holding area; can not overwrite." % (base_filename));
308             return;
309         raise;
310
311     try:
312         shutil.copy(filename, dest);
313     except IOError, e:
314         # In either case (ENOENT or EPERM) we want to remove the
315         # O_CREAT | O_EXCLed ghost file, so add the file to the list
316         # of 'in holding' even if it's not the real file.
317         if errno.errorcode[e.errno] == 'ENOENT':
318             reject("can not copy %s to holding area: file not found." % (base_filename));
319             os.unlink(dest);
320             return;
321         elif errno.errorcode[e.errno] == 'EACCES':
322             reject("can not copy %s to holding area: read permission denied." % (base_filename));
323             os.unlink(dest);
324             return;
325         raise;
326
327     in_holding[base_filename] = "";
328     return dest;
329
330 ################################################################################
331
332 def clean_holding():
333     global in_holding;
334
335     cwd = os.getcwd();
336     os.chdir(Cnf["Dir::Queue::Holding"]);
337     for file in in_holding.keys():
338         if os.path.exists(file):
339             if string.find(file, '/') != -1:
340                 utils.fubar("WTF? clean_holding() got a file ('%s') with / in it!" % (file));
341             else:
342                 os.unlink(file);
343     in_holding = {};
344     os.chdir(cwd);
345
346 ################################################################################
347
348 def check_changes():
349     filename = pkg.changes_file;
350
351     # Default in case we bail out
352     changes["maintainer822"] = Cnf["Dinstall::MyEmailAddress"];
353     changes["changedby822"] = Cnf["Dinstall::MyEmailAddress"];
354     changes["architecture"] = {};
355
356     # Parse the .changes field into a dictionary
357     try:
358         changes.update(utils.parse_changes(filename, 0));
359     except utils.cant_open_exc:
360         reject("can't read changes file '%s'." % (filename));
361         return 0;
362     except utils.changes_parse_error_exc, line:
363         reject("error parsing changes file '%s', can't grok: %s." % (filename, line));
364         return 0;
365
366     # Parse the Files field from the .changes into another dictionary
367     try:
368         files.update(utils.build_file_list(changes, ""));
369     except utils.changes_parse_error_exc, line:
370         reject("error parsing changes file '%s', can't grok: %s." % (filename, line));
371     except utils.nk_format_exc, format:
372         reject("unknown format '%s' of changes file '%s'." % (format, filename));
373         return 0;
374
375     # Check for mandatory fields
376     for i in ("source", "binary", "architecture", "version", "distribution", "maintainer", "files"):
377         if not changes.has_key(i):
378             reject("Missing field `%s' in changes file." % (i));
379             return 0    # Avoid <undef> errors during later tests
380
381     # Split multi-value fields into a lower-level dictionary
382     for i in ("architecture", "distribution", "binary", "closes"):
383         o = changes.get(i, "")
384         if o != "":
385             del changes[i]
386         changes[i] = {}
387         for j in string.split(o):
388             changes[i][j] = 1
389
390     # Fix the Maintainer: field to be RFC822 compatible
391     (changes["maintainer822"], changes["maintainername"], changes["maintaineremail"]) = utils.fix_maintainer (changes["maintainer"])
392
393     # Fix the Changed-By: field to be RFC822 compatible; if it exists.
394     (changes["changedby822"], changes["changedbyname"], changes["changedbyemail"]) = utils.fix_maintainer(changes.get("changed-by",""));
395
396     # Ensure all the values in Closes: are numbers
397     if changes.has_key("closes"):
398         for i in changes["closes"].keys():
399             if katie.re_isanum.match (i) == None:
400                 reject("`%s' from Closes field isn't a number." % (i));
401
402
403     # chopversion = no epoch; chopversion2 = no epoch and no revision (e.g. for .orig.tar.gz comparison)
404     changes["chopversion"] = utils.re_no_epoch.sub('', changes["version"])
405     changes["chopversion2"] = utils.re_no_revision.sub('', changes["chopversion"])
406
407     # Check there isn't already a changes file of the same name in one
408     # of the queue directories.
409     base_filename = os.path.basename(filename);
410     for dir in [ "Accepted", "Byhand", "Done", "New" ]:
411         if os.path.exists(Cnf["Dir::Queue::%s" % (dir) ]+'/'+base_filename):
412             reject("a changes file with the same name already exists in the %s directory." % (dir));
413
414     return 1;
415
416 ################################################################################
417
418 def check_distributions():
419     "Check and map the Distribution field of a .changes file."
420
421     # Handle suite mappings
422     if Cnf.has_key("SuiteMappings"):
423         for map in Cnf.ValueList("SuiteMappings"):
424             args = string.split(map);
425             type = args[0];
426             if type == "map":
427                 (source, dest) = args[1:3];
428                 if changes["distribution"].has_key(source):
429                     del changes["distribution"][source]
430                     changes["distribution"][dest] = 1;
431                     reject("Mapping %s to %s." % (source, dest),"");
432             elif type == "map-unreleased":
433                 (source, dest) = args[1:3];
434                 if changes["distribution"].has_key(source):
435                     for arch in changes["architecture"].keys():
436                         if arch not in Cnf.ValueList("Suite::%s::Architectures" % (source)):
437                             reject("Mapping %s to %s for unreleased architecture %s." % (source, dest, arch),"");
438                             del changes["distribution"][source];
439                             changes["distribution"][dest] = 1;
440                             break;
441             elif type == "ignore":
442                 suite = args[1];
443                 if changes["distribution"].has_key(suite):
444                     del changes["distribution"][suite];
445                     reject("Ignoring %s as a target suite." % (suite), "Warning: ");
446
447     # Ensure there is (still) a target distribution
448     if changes["distribution"].keys() == []:
449         reject("no valid distribution.");
450
451     # Ensure target distributions exist
452     for suite in changes["distribution"].keys():
453         if not Cnf.has_key("Suite::%s" % (suite)):
454             reject("Unknown distribution `%s'." % (suite));
455
456 ################################################################################
457
458 def check_files():
459     global reprocess
460
461     archive = utils.where_am_i();
462     file_keys = files.keys();
463
464     # if reprocess is 2 we've already done this and we're checking
465     # things again for the new .orig.tar.gz.
466     # [Yes, I'm fully aware of how disgusting this is]
467     if not Options["No-Action"] and reprocess < 2:
468         cwd = os.getcwd();
469         os.chdir(pkg.directory);
470         for file in file_keys:
471             copy_to_holding(file);
472         os.chdir(cwd);
473
474     reprocess = 0;
475
476     for file in file_keys:
477         # Ensure the file does not already exist in one of the accepted directories
478         for dir in [ "Accepted", "Byhand", "New" ]:
479             if os.path.exists(Cnf["Dir::Queue::%s" % (dir) ]+'/'+file):
480                 reject("%s file already exists in the %s directory." % (file, dir));
481         if not utils.re_taint_free.match(file):
482             reject("!!WARNING!! tainted filename: '%s'." % (file));
483         # Check the file is readable
484         if os.access(file,os.R_OK) == 0:
485             # When running in -n, copy_to_holding() won't have
486             # generated the reject_message, so we need to.
487             if Options["No-Action"]:
488                 if os.path.exists(file):
489                     reject("Can't read `%s'. [permission denied]" % (file));
490                 else:
491                     reject("Can't read `%s'. [file not found]" % (file));
492             files[file]["type"] = "unreadable";
493             continue;
494         # If it's byhand skip remaining checks
495         if files[file]["section"] == "byhand":
496             files[file]["byhand"] = 1;
497             files[file]["type"] = "byhand";
498         # Checks for a binary package...
499         elif utils.re_isadeb.match(file) != None:
500             files[file]["type"] = "deb";
501
502             # Extract package control information
503             deb_file = utils.open_file(file);
504             try:
505                 control = apt_pkg.ParseSection(apt_inst.debExtractControl(deb_file));
506             except:
507                 reject("%s: debExtractControl() raised %s." % (file, sys.exc_type));
508                 deb_file.close();
509                 # Can't continue, none of the checks on control would work.
510                 continue;
511             deb_file.close();
512
513             # Check for mandatory fields
514             for field in [ "Package", "Architecture", "Version" ]:
515                 if control.Find(field) == None:
516                     reject("%s: No %s field in control." % (file, field));
517
518             # Ensure the package name matches the one give in the .changes
519             if not changes["binary"].has_key(control.Find("Package", "")):
520                 reject("%s: control file lists name as `%s', which isn't in changes file." % (file, control.Find("Package", "")));
521
522             # Ensure the architecture of the .deb is one we know about.
523             default_suite = Cnf.get("Dinstall::DefaultSuite", "Unstable")
524             architecture = control.Find("Architecture", "");
525             if architecture not in Cnf.ValueList("Suite::%s::Architectures" % (default_suite)):
526                 reject("Unknown architecture '%s'." % (architecture));
527
528             # Ensure the architecture of the .deb is one of the ones
529             # listed in the .changes.
530             if not changes["architecture"].has_key(architecture):
531                 reject("%s: control file lists arch as `%s', which isn't in changes file." % (file, architecture));
532
533             # Check the section & priority match those given in the .changes (non-fatal)
534             if control.Find("Section") != None and files[file]["section"] != "" and files[file]["section"] != control.Find("Section"):
535                 reject("%s control file lists section as `%s', but changes file has `%s'." % (file, control.Find("Section", ""), files[file]["section"]), "Warning: ");
536             if control.Find("Priority") != None and files[file]["priority"] != "" and files[file]["priority"] != control.Find("Priority"):
537                 reject("%s control file lists priority as `%s', but changes file has `%s'." % (file, control.Find("Priority", ""), files[file]["priority"]),"Warning: ");
538
539             files[file]["package"] = control.Find("Package");
540             files[file]["architecture"] = architecture;
541             files[file]["version"] = control.Find("Version");
542             files[file]["maintainer"] = control.Find("Maintainer", "");
543             if file[-5:] == ".udeb":
544                 files[file]["dbtype"] = "udeb";
545             elif file[-4:] == ".deb":
546                 files[file]["dbtype"] = "deb";
547             else:
548                 reject("%s is neither a .deb or a .udeb." % (file));
549             files[file]["source"] = control.Find("Source", "");
550             if files[file]["source"] == "":
551                 files[file]["source"] = files[file]["package"];
552             # Get the source version
553             source = files[file]["source"];
554             source_version = ""
555             if string.find(source, "(") != -1:
556                 m = utils.re_extract_src_version.match(source)
557                 source = m.group(1)
558                 source_version = m.group(2)
559             if not source_version:
560                 source_version = files[file]["version"];
561             files[file]["source package"] = source;
562             files[file]["source version"] = source_version;
563
564             # Ensure the filename matches the contents of the .deb
565             m = utils.re_isadeb.match(file);
566             #  package name
567             file_package = m.group(1);
568             if files[file]["package"] != file_package:
569                 reject("%s: package part of filename (%s) does not match package name in the %s (%s)." % (file, file_package, files[file]["dbtype"], files[file]["package"]));
570             epochless_version = utils.re_no_epoch.sub('', control.Find("Version", ""))
571             #  version
572             file_version = m.group(2);
573             if epochless_version != file_version:
574                 reject("%s: version part of filename (%s) does not match package version in the %s (%s)." % (file, file_version, files[file]["dbtype"], epochless_version));
575             #  architecture
576             file_architecture = m.group(3);
577             if files[file]["architecture"] != file_architecture:
578                 reject("%s: architecture part of filename (%s) does not match package architecture in the %s (%s)." % (file, file_architecture, files[file]["dbtype"], files[file]["architecture"]));
579
580             # Check for existent source
581             source_version = files[file]["source version"];
582             source_package = files[file]["source package"];
583             if changes["architecture"].has_key("source"):
584                 if source_version != changes["version"]:
585                     reject("source version (%s) for %s doesn't match changes version %s." % (source_version, file, changes["version"]));
586             else:
587                 # Check in the SQL database
588                 if not Katie.source_exists(source_package, source_version):
589                     # Check in one of the other directories
590                     source_epochless_version = utils.re_no_epoch.sub('', source_version);
591                     dsc_filename = "%s_%s.dsc" % (source_package, source_epochless_version);
592                     if os.path.exists(Cnf["Dir::Queue::Byhand"] + '/' + dsc_filename):
593                         files[file]["byhand"] = 1;
594                     elif os.path.exists(Cnf["Dir::Queue::New"] + '/' + dsc_filename):
595                         files[file]["new"] = 1;
596                     elif not os.path.exists(Cnf["Dir::Queue::Accepted"] + '/' + dsc_filename):
597                         reject("no source found for %s %s (%s)." % (source_package, source_version, file));
598             # Check the version and for file overwrites
599             reject(Katie.check_binary_against_db(file),"");
600
601         # Checks for a source package...
602         else:
603             m = utils.re_issource.match(file);
604             if m != None:
605                 files[file]["package"] = m.group(1);
606                 files[file]["version"] = m.group(2);
607                 files[file]["type"] = m.group(3);
608
609                 # Ensure the source package name matches the Source filed in the .changes
610                 if changes["source"] != files[file]["package"]:
611                     reject("%s: changes file doesn't say %s for Source" % (file, files[file]["package"]));
612
613                 # Ensure the source version matches the version in the .changes file
614                 if files[file]["type"] == "orig.tar.gz":
615                     changes_version = changes["chopversion2"];
616                 else:
617                     changes_version = changes["chopversion"];
618                 if changes_version != files[file]["version"]:
619                     reject("%s: should be %s according to changes file." % (file, changes_version));
620
621                 # Ensure the .changes lists source in the Architecture field
622                 if not changes["architecture"].has_key("source"):
623                     reject("%s: changes file doesn't list `source' in Architecture field." % (file));
624
625                 # Check the signature of a .dsc file
626                 if files[file]["type"] == "dsc":
627                     dsc["fingerprint"] = check_signature(file);
628
629                 files[file]["architecture"] = "source";
630
631             # Not a binary or source package?  Assume byhand...
632             else:
633                 files[file]["byhand"] = 1;
634                 files[file]["type"] = "byhand";
635
636         # Per-suite file checks
637         files[file]["oldfiles"] = {};
638         for suite in changes["distribution"].keys():
639             # Skip byhand
640             if files[file].has_key("byhand"):
641                 continue
642
643             # Ensure the component is valid for the target suite
644             if Cnf.has_key("Suite:%s::Components" % (suite)) and \
645                files[file]["component"] not in Cnf.ValueList("Suite::%s::Components" % (suite)):
646                 reject("unknown component `%s' for suite `%s'." % (files[file]["component"], suite));
647                 continue
648
649             # See if the package is NEW
650             if not Katie.in_override_p(files[file]["package"], files[file]["component"], suite, files[file].get("dbtype",""), file):
651                 files[file]["new"] = 1;
652
653             # Validate the component
654             component = files[file]["component"];
655             component_id = db_access.get_component_id(component);
656             if component_id == -1:
657                 reject("file '%s' has unknown component '%s'." % (file, component));
658                 continue;
659
660             # Validate the priority
661             if string.find(files[file]["priority"],'/') != -1:
662                 reject("file '%s' has invalid priority '%s' [contains '/']." % (file, files[file]["priority"]));
663
664             # Determine the location
665             location = Cnf["Dir::Pool"];
666             location_id = db_access.get_location_id (location, component, archive);
667             if location_id == -1:
668                 reject("[INTERNAL ERROR] couldn't determine location (Component: %s, Archive: %s)" % (component, archive));
669             files[file]["location id"] = location_id;
670
671             # Check the md5sum & size against existing files (if any)
672             files[file]["pool name"] = utils.poolify (changes["source"], files[file]["component"]);
673             files_id = db_access.get_files_id(files[file]["pool name"] + file, files[file]["size"], files[file]["md5sum"], files[file]["location id"]);
674             if files_id == -1:
675                 reject("INTERNAL ERROR, get_files_id() returned multiple matches for %s." % (file));
676             elif files_id == -2:
677                 reject("md5sum and/or size mismatch on existing copy of %s." % (file));
678             files[file]["files id"] = files_id
679
680             # Check for packages that have moved from one component to another
681             q = Katie.projectB.query("""
682 SELECT c.name FROM binaries b, bin_associations ba, suite s, location l,
683                    component c, architecture a, files f
684  WHERE b.package = '%s' AND s.suite_name = '%s'
685    AND (a.arch_string = '%s' OR a.arch_string = 'all')
686    AND ba.bin = b.id AND ba.suite = s.id AND b.architecture = a.id
687    AND f.location = l.id AND l.component = c.id AND b.file = f.id"""
688                                % (files[file]["package"], suite,
689                                   files[file]["architecture"]));
690             ql = q.getresult();
691             if ql:
692                 files[file]["othercomponents"] = ql[0][0];
693
694     # If the .changes file says it has source, it must have source.
695     if changes["architecture"].has_key("source"):
696         has_source = 0;
697         for file in file_keys:
698             if files[file]["type"] == "dsc":
699                 has_source = 1;
700         if not has_source:
701             reject("no source found and Architecture line in changes mention source.");
702
703 ###############################################################################
704
705 def check_dsc ():
706     global reprocess;
707
708     for file in files.keys():
709         # The .orig.tar.gz can disappear out from under us is it's a
710         # duplicate of one in the archive.
711         if not files.has_key(file):
712             continue;
713         if files[file]["type"] == "dsc":
714             # Parse the .dsc file
715             try:
716                 dsc.update(utils.parse_changes(file, 1));
717             except utils.cant_open_exc:
718                 # if not -n copy_to_holding() will have done this for us...
719                 if Options["No-Action"]:
720                     reject("can't read .dsc file '%s'." % (file));
721             except utils.changes_parse_error_exc, line:
722                 reject("error parsing .dsc file '%s', can't grok: %s." % (file, line));
723             except utils.invalid_dsc_format_exc, line:
724                 reject("syntax error in .dsc file '%s', line %s." % (file, line));
725             # Build up the file list of files mentioned by the .dsc
726             try:
727                 dsc_files.update(utils.build_file_list(dsc, 1));
728             except utils.no_files_exc:
729                 reject("no Files: field in .dsc file.");
730                 continue;
731             except utils.changes_parse_error_exc, line:
732                 reject("error parsing .dsc file '%s', can't grok: %s." % (file, line));
733                 continue;
734
735             # Enforce mandatory fields
736             for i in ("format", "source", "version", "binary", "maintainer", "architecture", "files"):
737                 if not dsc.has_key(i):
738                     reject("Missing field `%s' in dsc file." % (i));
739
740             # The dpkg maintainer from hell strikes again! Bumping the
741             # version number of the .dsc breaks extraction by stable's
742             # dpkg-source.
743             if dsc["format"] != "1.0":
744                 reject("""[dpkg-sucks] source package was produced by a broken version
745           of dpkg-dev 1.9.1{3,4}; please rebuild with >= 1.9.15 version
746           installed.""");
747
748             # Ensure the version number in the .dsc matches the version number in the .changes
749             epochless_dsc_version = utils.re_no_epoch.sub('', dsc.get("version"));
750             changes_version = files[file]["version"];
751             if epochless_dsc_version != files[file]["version"]:
752                 reject("version ('%s') in .dsc does not match version ('%s') in .changes." % (epochless_dsc_version, changes_version));
753
754             # Ensure there is a .tar.gz in the .dsc file
755             has_tar = 0;
756             for f in dsc_files.keys():
757                 m = utils.re_issource.match(f);
758                 if not m:
759                     reject("%s mentioned in the Files field of %s not recognised as source." % (f, file));
760                 type = m.group(3);
761                 if type == "orig.tar.gz" or type == "tar.gz":
762                     has_tar = 1;
763             if not has_tar:
764                 reject("no .tar.gz or .orig.tar.gz listed in the Files field of %s." % (file));
765
766             # Ensure source is newer than existing source in target suites
767             reject(Katie.check_source_against_db(file),"");
768
769             (reject_msg, is_in_incoming) = Katie.check_dsc_against_db(file);
770             reject(reject_msg, "");
771             if is_in_incoming:
772                 if not Options["No-Action"]:
773                     copy_to_holding(is_in_incoming);
774                 orig_tar_gz = os.path.basename(is_in_incoming);
775                 files[orig_tar_gz] = {};
776                 files[orig_tar_gz]["size"] = os.stat(orig_tar_gz)[stat.ST_SIZE];
777                 files[orig_tar_gz]["md5sum"] = dsc_files[orig_tar_gz]["md5sum"];
778                 files[orig_tar_gz]["section"] = files[file]["section"];
779                 files[orig_tar_gz]["priority"] = files[file]["priority"];
780                 files[orig_tar_gz]["component"] = files[file]["component"];
781                 files[orig_tar_gz]["type"] = "orig.tar.gz";
782                 reprocess = 2;
783
784 ################################################################################
785
786 # Some cunning stunt broke dpkg-source in dpkg 1.8{,.1}; detect the
787 # resulting bad source packages and reject them.
788
789 # Even more amusingly the fix in 1.8.1.1 didn't actually fix the
790 # problem just changed the symptoms.
791
792 def check_diff ():
793     for filename in files.keys():
794         if files[filename]["type"] == "diff.gz":
795             file = gzip.GzipFile(filename, 'r');
796             for line in file.readlines():
797                 if re_bad_diff.search(line):
798                     reject("[dpkg-sucks] source package was produced by a broken version of dpkg-dev 1.8.x; please rebuild with >= 1.8.3 version installed.");
799                     break;
800
801 ################################################################################
802
803 # FIXME: should be a debian specific check called from a hook
804
805 def check_urgency ():
806     if changes["architecture"].has_key("source"):
807         if not changes.has_key("urgency"):
808             changes["urgency"] = Cnf["Urgency::Default"];
809         if changes["urgency"] not in Cnf.ValueList("Urgency::Valid"):
810             reject("%s is not a valid urgency; it will be treated as %s by testing." % (changes["urgency"], Cnf["Urgency::Default"]), "Warning: ");
811             changes["urgency"] = Cnf["Urgency::Default"];
812         changes["urgency"] = string.lower(changes["urgency"]);
813
814 ################################################################################
815
816 def check_md5sums ():
817     for file in files.keys():
818         try:
819             file_handle = utils.open_file(file);
820         except utils.cant_open_exc:
821             pass;
822         else:
823             if apt_pkg.md5sum(file_handle) != files[file]["md5sum"]:
824                 reject("md5sum check failed for %s." % (file));
825             file_handle.close();
826
827 ################################################################################
828
829 # Sanity check the time stamps of files inside debs.
830 # [Files in the near future cause ugly warnings and extreme time
831 #  travel can causes errors on extraction]
832
833 def check_timestamps():
834     class Tar:
835         def __init__(self, future_cutoff, past_cutoff):
836             self.reset();
837             self.future_cutoff = future_cutoff;
838             self.past_cutoff = past_cutoff;
839
840         def reset(self):
841             self.future_files = {};
842             self.ancient_files = {};
843
844         def callback(self, Kind,Name,Link,Mode,UID,GID,Size,MTime,Major,Minor):
845             if MTime > self.future_cutoff:
846                 self.future_files[Name] = MTime;
847             if MTime < self.past_cutoff:
848                 self.ancient_files[Name] = MTime;
849     ####
850
851     future_cutoff = time.time() + int(Cnf["Dinstall::FutureTimeTravelGrace"]);
852     past_cutoff = time.mktime(time.strptime(Cnf["Dinstall::PastCutoffYear"],"%Y"));
853     tar = Tar(future_cutoff, past_cutoff);
854     for filename in files.keys():
855         if files[filename]["type"] == "deb":
856             tar.reset();
857             try:
858                 deb_file = utils.open_file(filename);
859                 apt_inst.debExtract(deb_file,tar.callback,"control.tar.gz");
860                 deb_file.seek(0);
861                 apt_inst.debExtract(deb_file,tar.callback,"data.tar.gz");
862                 deb_file.close();
863                 #
864                 future_files = tar.future_files.keys();
865                 if future_files:
866                     num_future_files = len(future_files);
867                     future_file = future_files[0];
868                     future_date = tar.future_files[future_file];
869                     reject("%s: has %s file(s) with a time stamp too far into the future (e.g. %s [%s])."
870                            % (filename, num_future_files, future_file,
871                               time.ctime(future_date)));
872                 #
873                 ancient_files = tar.ancient_files.keys();
874                 if ancient_files:
875                     num_ancient_files = len(ancient_files);
876                     ancient_file = ancient_files[0];
877                     ancient_date = tar.ancient_files[ancient_file];
878                     reject("%s: has %s file(s) with a time stamp too ancient (e.g. %s [%s])."
879                            % (filename, num_ancient_files, ancient_file,
880                               time.ctime(ancient_date)));
881             except:
882                 reject("%s: timestamp check failed; caught %s" % (filename, sys.exc_type));
883
884 ################################################################################
885 ################################################################################
886
887 # If any file of an upload has a recent mtime then chances are good
888 # the file is still being uploaded.
889
890 def upload_too_new():
891     too_new = 0;
892     # Move back to the original directory to get accurate time stamps
893     cwd = os.getcwd();
894     os.chdir(pkg.directory);
895     file_list = pkg.files.keys();
896     file_list.extend(pkg.dsc_files.keys());
897     file_list.append(pkg.changes_file);
898     for file in file_list:
899         try:
900             last_modified = time.time()-os.path.getmtime(file);
901             if last_modified < int(Cnf["Dinstall::SkipTime"]):
902                 too_new = 1;
903                 break;
904         except:
905             pass;
906     os.chdir(cwd);
907     return too_new;
908
909 ################################################################################
910
911 def action ():
912     # changes["distribution"] may not exist in corner cases
913     # (e.g. unreadable changes files)
914     if not changes.has_key("distribution") or not isinstance(changes["distribution"], DictType):
915         changes["distribution"] = {};
916
917     (summary, short_summary) = Katie.build_summaries();
918
919     byhand = new = "";
920     for file in files.keys():
921         if files[file].has_key("byhand"):
922             byhand = 1
923         elif files[file].has_key("new"):
924             new = 1
925
926     (prompt, answer) = ("", "XXX")
927     if Options["No-Action"] or Options["Automatic"]:
928         answer = 'S'
929
930     if string.find(reject_message, "Rejected") != -1:
931         if upload_too_new():
932             print "SKIP (too new)\n" + reject_message,;
933             prompt = "[S]kip, Quit ?";
934         else:
935             print "REJECT\n" + reject_message,;
936             prompt = "[R]eject, Skip, Quit ?";
937             if Options["Automatic"]:
938                 answer = 'R';
939     elif new:
940         print "NEW to %s\n%s%s" % (string.join(changes["distribution"].keys(), ", "), reject_message, summary),;
941         prompt = "[N]ew, Skip, Quit ?";
942         if Options["Automatic"]:
943             answer = 'N';
944     elif byhand:
945         print "BYHAND\n" + reject_message + summary,;
946         prompt = "[B]yhand, Skip, Quit ?";
947         if Options["Automatic"]:
948             answer = 'B';
949     else:
950         print "ACCEPT\n" + reject_message + summary,;
951         prompt = "[A]ccept, Skip, Quit ?";
952         if Options["Automatic"]:
953             answer = 'A';
954
955     while string.find(prompt, answer) == -1:
956         answer = utils.our_raw_input(prompt);
957         m = katie.re_default_answer.match(prompt);
958         if answer == "":
959             answer = m.group(1);
960         answer = string.upper(answer[:1]);
961
962     if answer == 'R':
963         os.chdir (pkg.directory);
964         Katie.do_reject(0, reject_message);
965     elif answer == 'A':
966         accept(summary, short_summary);
967     elif answer == 'B':
968         do_byhand(summary);
969     elif answer == 'N':
970         acknowledge_new (summary);
971     elif answer == 'Q':
972         sys.exit(0)
973
974 ################################################################################
975
976 def accept (summary, short_summary):
977     Katie.accept(summary, short_summary);
978     Katie.check_override();
979
980     # Finally, remove the originals from the unchecked directory
981     os.chdir (pkg.directory);
982     for file in files.keys():
983         os.unlink(file);
984     os.unlink(pkg.changes_file);
985
986 ################################################################################
987
988 def do_byhand (summary):
989     print "Moving to BYHAND holding area."
990     Logger.log(["Moving to byhand", pkg.changes_file]);
991
992     Katie.dump_vars(Cnf["Dir::Queue::Byhand"]);
993
994     file_keys = files.keys();
995
996     # Move all the files into the byhand directory
997     utils.move (pkg.changes_file, Cnf["Dir::Queue::Byhand"]);
998     for file in file_keys:
999         utils.move (file, Cnf["Dir::Queue::Byhand"], perms=0660);
1000
1001     # Check for override disparities
1002     Katie.Subst["__SUMMARY__"] = summary;
1003     Katie.check_override();
1004
1005     # Finally remove the originals.
1006     os.chdir (pkg.directory);
1007     for file in file_keys:
1008         os.unlink(file);
1009     os.unlink(pkg.changes_file);
1010
1011 ################################################################################
1012
1013 def acknowledge_new (summary):
1014     Subst = Katie.Subst;
1015
1016     print "Moving to NEW holding area."
1017     Logger.log(["Moving to new", pkg.changes_file]);
1018
1019     Katie.dump_vars(Cnf["Dir::Queue::New"]);
1020
1021     file_keys = files.keys();
1022
1023     # Move all the files into the 'new' directory
1024     utils.move (pkg.changes_file, Cnf["Dir::Queue::New"]);
1025     for file in file_keys:
1026         utils.move (file, Cnf["Dir::Queue::New"], perms=0660);
1027
1028     if not Options["No-Mail"]:
1029         print "Sending new ack.";
1030         Subst["__SUMMARY__"] = summary;
1031         new_ack_message = utils.TemplateSubst(Subst,Cnf["Dir::Templates"]+"/jennifer.new");
1032         utils.send_mail(new_ack_message,"");
1033
1034     # Finally remove the originals.
1035     os.chdir (pkg.directory);
1036     for file in file_keys:
1037         os.unlink(file);
1038     os.unlink(pkg.changes_file);
1039
1040 ################################################################################
1041
1042 # reprocess is necessary for the case of foo_1.2-1 and foo_1.2-2 in
1043 # Incoming. -1 will reference the .orig.tar.gz, but -2 will not.
1044 # Katie.check_dsc_against_db() can find the .orig.tar.gz but it will
1045 # not have processed it during it's checks of -2.  If -1 has been
1046 # deleted or otherwise not checked by jennifer, the .orig.tar.gz will
1047 # not have been checked at all.  To get round this, we force the
1048 # .orig.tar.gz into the .changes structure and reprocess the .changes
1049 # file.
1050
1051 def process_it (changes_file):
1052     global reprocess, reject_message;
1053
1054     # Reset some globals
1055     reprocess = 1;
1056     Katie.init_vars();
1057     reject_message = "";
1058
1059     # Absolutize the filename to avoid the requirement of being in the
1060     # same directory as the .changes file.
1061     pkg.changes_file = os.path.abspath(changes_file);
1062
1063     # Remember where we are so we can come back after cd-ing into the
1064     # holding directory.
1065     pkg.directory = os.getcwd();
1066
1067     try:
1068         # If this is the Real Thing(tm), copy things into a private
1069         # holding directory first to avoid replacable file races.
1070         if not Options["No-Action"]:
1071             os.chdir(Cnf["Dir::Queue::Holding"]);
1072             copy_to_holding(pkg.changes_file);
1073             # Relativize the filename so we use the copy in holding
1074             # rather than the original...
1075             pkg.changes_file = os.path.basename(pkg.changes_file);
1076         changes["fingerprint"] = check_signature(pkg.changes_file);
1077         changes_valid = check_changes();
1078         if changes_valid:
1079             while reprocess:
1080                 check_distributions();
1081                 check_files();
1082                 check_md5sums();
1083                 check_dsc();
1084                 check_diff();
1085                 check_urgency();
1086                 check_timestamps();
1087         Katie.update_subst(reject_message);
1088         action();
1089     except SystemExit:
1090         raise;
1091     except:
1092         print "ERROR";
1093         traceback.print_exc(file=sys.stderr);
1094         pass;
1095
1096     # Restore previous WD
1097     os.chdir(pkg.directory);
1098
1099 ###############################################################################
1100
1101 def main():
1102     global Cnf, Options, Logger, nmu;
1103
1104     changes_files = init();
1105
1106     if Options["Help"]:
1107         usage();
1108
1109     if Options["Version"]:
1110         print "jennifer %s" % (jennifer_version);
1111         sys.exit(0);
1112
1113     # -n/--dry-run invalidates some other options which would involve things happening
1114     if Options["No-Action"]:
1115         Options["Automatic"] = "";
1116
1117     # Ensure all the arguments we were given are .changes files
1118     for file in changes_files:
1119         if file[-8:] != ".changes":
1120             utils.warn("Ignoring '%s' because it's not a .changes file." % (file));
1121             changes_files.remove(file);
1122
1123     if changes_files == []:
1124         utils.fubar("Need at least one .changes file as an argument.");
1125
1126     # Check that we aren't going to clash with the daily cron job
1127
1128     if not Options["No-Action"] and os.path.exists("%s/Archive_Maintenance_In_Progress" % (Cnf["Dir::Root"])) and not Options["No-Lock"]:
1129         utils.fubar("Archive maintenance in progress.  Try again later.");
1130
1131     # Obtain lock if not in no-action mode and initialize the log
1132
1133     if not Options["No-Action"]:
1134         lock_fd = os.open(Cnf["Dinstall::LockFile"], os.O_RDWR | os.O_CREAT);
1135         fcntl.lockf(lock_fd, FCNTL.F_TLOCK);
1136         Logger = Katie.Logger = logging.Logger(Cnf, "jennifer");
1137
1138     # debian-{devel-,}-changes@lists.debian.org toggles writes access based on this header
1139     bcc = "X-Katie: %s" % (jennifer_version);
1140     if Cnf.has_key("Dinstall::Bcc"):
1141         Katie.Subst["__BCC__"] = bcc + "\nBcc: %s" % (Cnf["Dinstall::Bcc"]);
1142     else:
1143         Katie.Subst["__BCC__"] = bcc;
1144
1145
1146     # Sort the .changes files so that we process sourceful ones first
1147     changes_files.sort(utils.changes_compare);
1148
1149     # Process the changes files
1150     for changes_file in changes_files:
1151         print "\n" + changes_file;
1152         try:
1153             process_it (changes_file);
1154         finally:
1155             if not Options["No-Action"]:
1156                 clean_holding();
1157
1158     accept_count = Katie.accept_count;
1159     accept_bytes = Katie.accept_bytes;
1160     if accept_count:
1161         sets = "set"
1162         if accept_count > 1:
1163             sets = "sets"
1164         print "Accepted %d package %s, %s." % (accept_count, sets, utils.size_type(int(accept_bytes)));
1165         Logger.log(["total",accept_count,accept_bytes]);
1166
1167     if not Options["No-Action"]:
1168         Logger.close();
1169
1170 ################################################################################
1171
1172 if __name__ == '__main__':
1173     main()
1174