1 """Utilities for signed files
3 @contact: Debian FTP Master <ftpmaster@debian.org>
4 @copyright: 2011 Ansgar Burchardt <ansgar@debian.org>
5 @license: GNU General Public License version 2 or later
8 # This program is free software; you can redistribute it and/or modify
9 # it under the terms of the GNU General Public License as published by
10 # the Free Software Foundation; either version 2 of the License, or
11 # (at your option) any later version.
13 # This program is distributed in the hope that it will be useful,
14 # but WITHOUT ANY WARRANTY; without even the implied warranty of
15 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
16 # GNU General Public License for more details.
18 # You should have received a copy of the GNU General Public License
19 # along with this program; if not, write to the Free Software
20 # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
30 _MAXFD = os.sysconf("SC_OPEN_MAX")
34 class GpgException(Exception):
38 """context manager for pipes
40 Note: When the pipe is closed by other means than the close_r and close_w
41 methods, you have to set self.r (self.w) to None.
44 (self.r, self.w) = os.pipe()
46 def __exit__(self, type, value, traceback):
51 """close reading side of the pipe"""
56 """close writing part of the pipe"""
61 class SignedFile(object):
62 """handle files signed with PGP
64 The following attributes are available:
65 contents - string with the content (after removing PGP armor)
66 valid - Boolean indicating a valid signature was found
67 fingerprint - fingerprint of the key used for signing
68 primary_fingerprint - fingerprint of the primary key associated to the key used for signing
70 def __init__(self, data, keyrings, require_signature=True, gpg="/usr/bin/gpg"):
72 @param data: string containing the message
73 @param keyrings: sequence of keyrings
74 @param require_signature: if True (the default), will raise an exception if no valid signature was found
75 @param gpg: location of the gpg binary
78 self.keyrings = keyrings
81 self.fingerprint = None
82 self.primary_fingerprint = None
84 self._verify(data, require_signature)
86 def _verify(self, data, require_signature):
87 with _Pipe() as stdin:
88 with _Pipe() as contents:
89 with _Pipe() as status:
90 with _Pipe() as stderr:
93 self._exec_gpg(stdin.r, contents.w, stderr.w, status.w)
100 read = self._do_io([contents.r, stderr.r, status.r], {stdin.w: data})
101 stdin.w = None # was closed by _do_io
103 (pid_, exit_code, usage_) = os.wait4(pid, 0)
105 self.contents = read[contents.r]
106 self.status = read[status.r]
107 self.stderr = read[stderr.r]
109 if self.status == "":
110 raise GpgException("No status output from GPG. (GPG exited with status code %s)\n%s" % (exit_code, self.stderr))
112 for line in self.status.splitlines():
113 self._parse_status(line)
115 if require_signature and not self.valid:
116 raise GpgException("No valid signature found. (GPG exited with status code %s)\n%s" % (exit_code, self.stderr))
118 def _do_io(self, read, write):
119 for fd in write.keys():
120 old = fcntl.fcntl(fd, fcntl.F_GETFL)
121 fcntl.fcntl(fd, fcntl.F_SETFL, old | os.O_NONBLOCK)
123 read_lines = dict( (fd, []) for fd in read )
124 write_pos = dict( (fd, 0) for fd in write )
126 read_set = list(read)
127 write_set = write.keys()
128 while len(read_set) > 0 or len(write_set) > 0:
129 r, w, x_ = select.select(read_set, write_set, ())
131 data = os.read(fd, 4096)
134 read_lines[fd].append(data)
136 data = write[fd][write_pos[fd]:]
141 bytes_written = os.write(fd, data)
142 write_pos[fd] += bytes_written
144 return dict( (fd, "".join(read_lines[fd])) for fd in read_lines.keys() )
146 def _parse_date(self, value):
147 """parse date string in YYYY-MM-DD format
149 @rtype: L{datetime.datetime}
150 @returns: datetime objects for 0:00 on the given day
152 year, month, day = value.split('-')
153 date = datetime.date(int(year), int(month), int(day))
154 time = datetime.time(0, 0)
155 return datetime.datetime.combine(date, time)
157 def _parse_status(self, line):
158 fields = line.split()
159 if fields[0] != "[GNUPG:]":
160 raise GpgException("Unexpected output on status-fd: %s" % line)
162 # VALIDSIG <fingerprint in hex> <sig_creation_date> <sig-timestamp>
163 # <expire-timestamp> <sig-version> <reserved> <pubkey-algo>
164 # <hash-algo> <sig-class> <primary-key-fpr>
165 if fields[1] == "VALIDSIG":
167 self.fingerprint = fields[2]
168 self.primary_fingerprint = fields[11]
169 self.signature_timestamp = self._parse_date(fields[3])
171 if fields[1] == "BADARMOR":
172 raise GpgException("Bad armor.")
174 if fields[1] == "NODATA":
175 raise GpgException("No data.")
177 if fields[1] == "DECRYPTION_FAILED":
178 raise GpgException("Decryption failed.")
180 if fields[1] == "ERROR":
181 raise GpgException("Other error: %s %s" % (fields[2], fields[3]))
183 def _exec_gpg(self, stdin, stdout, stderr, statusfd):
194 old = fcntl.fcntl(fd, fcntl.F_GETFD)
195 fcntl.fcntl(fd, fcntl.F_SETFD, old & ~fcntl.FD_CLOEXEC)
196 os.closerange(4, _MAXFD)
198 args = [self.gpg, "--status-fd=3", "--no-default-keyring"]
199 for k in self.keyrings:
200 args.append("--keyring=%s" % k)
201 args.extend(["--decrypt", "-"])
203 os.execvp(self.gpg, args)
207 def contents_sha1(self):
208 return apt_pkg.sha1sum(self.contents)