5 Import known_changes files
7 @contact: Debian FTP Master <ftpmaster@debian.org>
8 @copyright: 2009 Mike O'Connor <stew@debian.org>
9 @license: GNU General Public License version 2 or later
12 # This program is free software; you can redistribute it and/or modify
13 # it under the terms of the GNU General Public License as published by
14 # the Free Software Foundation; either version 2 of the License, or
15 # (at your option) any later version.
17 # This program is distributed in the hope that it will be useful,
18 # but WITHOUT ANY WARRANTY; without even the implied warranty of
19 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
20 # GNU General Public License for more details.
22 # You should have received a copy of the GNU General Public License
23 # along with this program; if not, write to the Free Software
24 # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
26 ################################################################################
29 ################################################################################
35 from daklib.dbconn import DBConn, get_dbchange
36 from daklib.config import Config
38 from daklib.dak_exceptions import DBUpdateError, InvalidDscError, ChangesUnicodeError
39 from daklib.changes import Changes
40 from daklib.utils import parse_changes, warn, gpgv_get_status_output, process_gpgv_output
43 # where in dak.conf all of our configuration will be stowed
44 options_prefix = "KnownChanges"
45 options_prefix = "%s::Options" % options_prefix
47 log = logging.getLogger()
49 ################################################################################
52 def usage (exit_code=0):
53 print """Usage: dak import-known-changes [options]
57 run with n threads concurrently
60 show verbose information messages
63 supress all output but errors
68 def check_signature (sig_filename, data_filename=""):
72 "/home/joerg/keyring/keyrings/debian-keyring.gpg",
73 "/home/joerg/keyring/keyrings/debian-keyring.pgp",
74 "/home/joerg/keyring/keyrings/debian-maintainers.gpg",
75 "/home/joerg/keyring/keyrings/debian-role-keys.gpg",
76 "/home/joerg/keyring/keyrings/emeritus-keyring.pgp",
77 "/home/joerg/keyring/keyrings/emeritus-keyring.gpg",
78 "/home/joerg/keyring/keyrings/removed-keys.gpg",
79 "/home/joerg/keyring/keyrings/removed-keys.pgp"
82 keyringargs = " ".join(["--keyring %s" % x for x in keyrings ])
84 # Build the command line
85 status_read, status_write = os.pipe()
86 cmd = "gpgv --status-fd %s %s %s" % (status_write, keyringargs, sig_filename)
88 # Invoke gpgv on the file
89 (output, status, exit_status) = gpgv_get_status_output(cmd, status_read, status_write)
91 # Process the status-fd output
92 (keywords, internal_error) = process_gpgv_output(status)
94 # If we failed to parse the status-fd output, let's just whine and bail now
96 warn("Couldn't parse signature")
99 # usually one would check for bad things here. We, however, do not care.
101 # Next check gpgv exited with a zero return code
103 warn("Couldn't parse signature")
106 # Sanity check the good stuff we expect
107 if not keywords.has_key("VALIDSIG"):
108 warn("Couldn't parse signature")
110 args = keywords["VALIDSIG"]
112 warn("Couldn't parse signature")
114 fingerprint = args[0]
119 class EndOfChanges(object):
120 """something enqueued to signify the last change"""
124 class OneAtATime(object):
126 a one space queue which sits between multiple possible producers
127 and multiple possible consumers
130 self.next_in_line = None
131 self.read_lock = threading.Condition()
132 self.write_lock = threading.Condition()
137 self.write_lock.acquire()
138 self.write_lock.notifyAll()
139 self.write_lock.release()
141 self.read_lock.acquire()
142 self.read_lock.notifyAll()
143 self.read_lock.release()
145 def enqueue(self, next):
146 self.write_lock.acquire()
147 while self.next_in_line:
150 self.write_lock.wait()
152 assert( not self.next_in_line )
153 self.next_in_line = next
154 self.write_lock.release()
155 self.read_lock.acquire()
156 self.read_lock.notify()
157 self.read_lock.release()
160 self.read_lock.acquire()
161 while not self.next_in_line:
164 self.read_lock.wait()
166 result = self.next_in_line
168 self.next_in_line = None
169 self.read_lock.release()
170 self.write_lock.acquire()
171 self.write_lock.notify()
172 self.write_lock.release()
174 if isinstance(result, EndOfChanges):
179 class ChangesToImport(object):
180 """A changes file to be enqueued to be processed"""
181 def __init__(self, checkdir, changesfile, count):
182 self.dirpath = checkdir
183 self.changesfile = changesfile
187 return "#%d: %s in %s" % (self.count, self.changesfile, self.dirpath)
189 class ChangesGenerator(threading.Thread):
190 """enqueues changes files to be imported"""
191 def __init__(self, parent, queue):
192 threading.Thread.__init__(self)
194 self.session = DBConn().session()
204 for directory in [ "Accepted", "Byhand", "Done", "New", "ProposedUpdates", "OldProposedUpdates" ]:
205 checkdir = cnf["Dir::Queue::%s" % (directory) ]
206 if os.path.exists(checkdir):
207 print "Looking into %s" % (checkdir)
209 for dirpath, dirnames, filenames in os.walk(checkdir, topdown=True):
211 # Empty directory (or only subdirectories), next
214 for changesfile in filenames:
216 if not changesfile.endswith(".changes"):
217 # Only interested in changes files.
221 if not get_dbchange(changesfile, self.session):
222 to_import = ChangesToImport(dirpath, changesfile, count)
225 self.queue.enqueue(to_import)
226 except KeyboardInterrupt:
227 print("got Ctrl-c in enqueue thread. terminating")
231 self.queue.enqueue(EndOfChanges())
233 class ImportThread(threading.Thread):
234 def __init__(self, parent, queue):
235 threading.Thread.__init__(self)
237 self.session = DBConn().session()
249 to_import = self.queue.dequeue()
253 print( "Directory %s, file %7d, (%s)" % (to_import.dirpath[-10:], to_import.count, to_import.changesfile) )
256 changes.changes_file = to_import.changesfile
257 changesfile = os.path.join(to_import.dirpath, to_import.changesfile)
258 changes.changes = parse_changes(changesfile, signing_rules=-1)
259 changes.changes["fingerprint"] = check_signature(changesfile)
260 changes.add_known_changes(to_import.dirpath, self.session)
261 self.session.commit()
263 except InvalidDscError, line:
264 warn("syntax error in .dsc file '%s', line %s." % (f, line))
266 except ChangesUnicodeError:
267 warn("found invalid changes file, not properly utf-8 encoded")
269 except KeyboardInterrupt:
270 print("Caught C-c; on ImportThread. terminating.")
278 class ImportKnownChanges(object):
279 def __init__(self,num_threads):
280 self.queue = OneAtATime()
281 self.threads = [ ChangesGenerator(self,self.queue) ]
283 for i in range(num_threads):
284 self.threads.append( ImportThread(self,self.queue) )
287 for thread in self.threads:
290 except KeyboardInterrupt:
291 print("Caught C-c; terminating.")
292 utils.warn("Caught C-c; terminating.")
296 traceback.print_stack90
297 for thread in self.threads:
298 print( "STU: before ask %s to die" % thread )
300 print( "STU: after ask %s to die" % thread )
309 arguments = [('h',"help", "%s::%s" % (options_prefix,"Help")),
310 ('j',"concurrency", "%s::%s" % (options_prefix,"Concurrency"),"HasArg"),
311 ('q',"quiet", "%s::%s" % (options_prefix,"Quiet")),
312 ('v',"verbose", "%s::%s" % (options_prefix,"Verbose")),
315 args = apt_pkg.ParseCommandLine(cnf.Cnf, arguments,sys.argv)
322 if cnf.has_key("%s::%s" % (options_prefix,"Help")):
326 if cnf.has_key("%s::%s" % (options_prefix,"Quiet")):
329 elif cnf.has_key("%s::%s" % (options_prefix,"Verbose")):
333 logging.basicConfig( level=level,
334 format='%(asctime)s %(levelname)s %(message)s',
335 stream = sys.stderr )
337 if Config().has_key( "%s::%s" %(options_prefix,"Concurrency")):
338 num_threads = int(Config()[ "%s::%s" %(options_prefix,"Concurrency")])
340 ImportKnownChanges(num_threads)
345 if __name__ == '__main__':