upload.py 15.6 KB
Newer Older
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
# Copyright (C) 2012, Ansgar Burchardt <ansgar@debian.org>
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License along
# with this program; if not, write to the Free Software Foundation, Inc.,
# 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.

"""module to handle uploads not yet installed to the archive

This module provides classes to handle uploads not yet installed to the
A
Ansgar Burchardt 已提交
20
archive.  Central is the L{Changes} class which represents a changes file.
21 22 23 24 25 26 27
It provides methods to access the included binary and source packages.
"""

import apt_inst
import apt_pkg
import os
import re
A
Ansgar Burchardt 已提交
28 29 30

from daklib.gpg import SignedFile
from daklib.regexes import *
31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60

class InvalidChangesException(Exception):
    pass

class InvalidBinaryException(Exception):
    pass

class InvalidSourceException(Exception):
    pass

class InvalidHashException(Exception):
    def __init__(self, filename, hash_name, expected, actual):
        self.filename = filename
        self.hash_name = hash_name
        self.expected = expected
        self.actual = actual
    def __str__(self):
        return "Invalid {0} hash for {1}: expected {2}, but got {3}.".format(self.hash_name, self.filename, self.expected, self.actual)

class InvalidFilenameException(Exception):
    def __init__(self, filename):
        self.filename = filename
    def __str__(self):
        return "Invalid filename '{0}'.".format(self.filename)

class HashedFile(object):
    """file with checksums
    """
    def __init__(self, filename, size, md5sum, sha1sum, sha256sum, section=None, priority=None):
        self.filename = filename
A
Ansgar Burchardt 已提交
61 62 63 64
        """name of the file
        @type: str
        """

65
        self.size = size
A
Ansgar Burchardt 已提交
66 67 68 69
        """size in bytes
        @type: long
        """

70
        self.md5sum = md5sum
A
Ansgar Burchardt 已提交
71 72 73 74
        """MD5 hash in hexdigits
        @type: str
        """

75
        self.sha1sum = sha1sum
A
Ansgar Burchardt 已提交
76 77 78 79
        """SHA1 hash in hexdigits
        @type: str
        """

80
        self.sha256sum = sha256sum
A
Ansgar Burchardt 已提交
81 82 83 84
        """SHA256 hash in hexdigits
        @type: str
        """

85
        self.section = section
A
Ansgar Burchardt 已提交
86 87 88 89
        """section or C{None}
        @type: str or C{None}
        """

90
        self.priority = priority
A
Ansgar Burchardt 已提交
91 92 93
        """priority or C{None}
        @type: str of C{None}
        """
94 95 96 97 98 99

    def check(self, directory):
        """Validate hashes

        Check if size and hashes match the expected value.

A
Ansgar Burchardt 已提交
100 101
        @type  directory: str
        @param directory: directory the file is located in
102

A
Ansgar Burchardt 已提交
103
        @raise InvalidHashException: hash mismatch
104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128
        """
        path = os.path.join(directory, self.filename)
        fh = open(path, 'r')

        size = os.stat(path).st_size
        if size != self.size:
            raise InvalidHashException(self.filename, 'size', self.size, size)

        md5sum = apt_pkg.md5sum(fh)
        if md5sum != self.md5sum:
            raise InvalidHashException(self.filename, 'md5sum', self.md5sum, md5sum)

        fh.seek(0)
        sha1sum = apt_pkg.sha1sum(fh)
        if sha1sum != self.sha1sum:
            raise InvalidHashException(self.filename, 'sha1sum', self.sha1sum, sha1sum)

        fh.seek(0)
        sha256sum = apt_pkg.sha256sum(fh)
        if sha256sum != self.sha256sum:
            raise InvalidHashException(self.filename, 'sha256sum', self.sha256sum, sha256sum)

def parse_file_list(control, has_priority_and_section):
    """Parse Files and Checksums-* fields

A
Ansgar Burchardt 已提交
129 130 131 132 133 134
    @type  control: dict-like
    @param control: control file to take fields from

    @type  has_priority_and_section: bool
    @param has_priority_and_section: Files field include section and priority
                                     (as in .changes)
135

A
Ansgar Burchardt 已提交
136
    @raise InvalidChangesException: missing fields or other grave errors
137

A
Ansgar Burchardt 已提交
138 139
    @rtype:  dict
    @return: dict mapping filenames to L{daklib.upload.HashedFile} objects
140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198
    """
    entries = {}

    for line in control["Files"].split('\n'):
        if len(line) == 0:
            continue

        if has_priority_and_section:
            (md5sum, size, section, priority, filename) = line.split()
            entry = dict(md5sum=md5sum, size=long(size), section=section, priority=priority, filename=filename)
        else:
            (md5sum, size, filename) = line.split()
            entry = dict(md5sum=md5sum, size=long(size), filename=filename)

        entries[filename] = entry

    for line in control["Checksums-Sha1"].split('\n'):
        if len(line) == 0:
            continue
        (sha1sum, size, filename) = line.split()
        entry = entries.get(filename, None)
        if entry.get('size', None) != long(size):
            raise InvalidChangesException('Size for {0} in Files and Checksum-Sha1 fields differ.'.format(filename))
        entry['sha1sum'] = sha1sum

    for line in control["Checksums-Sha256"].split('\n'):
        if len(line) == 0:
            continue
        (sha256sum, size, filename) = line.split()
        entry = entries.get(filename, None)
        if entry is None:
            raise InvalidChangesException('No sha256sum for {0}.'.format(filename))
        if entry.get('size', None) != long(size):
            raise InvalidChangesException('Size for {0} in Files and Checksum-Sha256 fields differ.'.format(filename))
        entry['sha256sum'] = sha256sum

    files = {}
    for entry in entries.itervalues():
        filename = entry['filename']
        if 'size' not in entry:
            raise InvalidChangesException('No size for {0}.'.format(filename))
        if 'md5sum' not in entry:
            raise InvalidChangesException('No md5sum for {0}.'.format(filename))
        if 'sha1sum' not in entry:
            raise InvalidChangesException('No sha1sum for {0}.'.format(filename))
        if 'sha256sum' not in entry:
            raise InvalidChangesException('No sha256sum for {0}.'.format(filename))
        if not re_file_safe.match(filename):
            raise InvalidChangesException("{0}: References file with unsafe filename {1}.".format(self.filename, filename))
        f = files[filename] = HashedFile(**entry)

    return files

class Changes(object):
    """Representation of a .changes file
    """
    def __init__(self, directory, filename, keyrings, require_signature=True):
        if not re_file_safe.match(filename):
            raise InvalidChangesException('{0}: unsafe filename'.format(filename))
A
Ansgar Burchardt 已提交
199

200
        self.directory = directory
A
Ansgar Burchardt 已提交
201 202 203 204
        """directory the .changes is located in
        @type: str
        """

205
        self.filename = filename
A
Ansgar Burchardt 已提交
206 207 208 209
        """name of the .changes file
        @type: str
        """

210 211 212
        data = open(self.path).read()
        self._signed_file = SignedFile(data, keyrings, require_signature)
        self.changes = apt_pkg.TagSection(self._signed_file.contents)
A
Ansgar Burchardt 已提交
213 214 215 216
        """dict to access fields of the .changes file
        @type: dict-like
        """

217 218 219 220 221 222 223 224
        self._binaries = None
        self._source = None
        self._files = None
        self._keyrings = keyrings
        self._require_signature = require_signature

    @property
    def path(self):
A
Ansgar Burchardt 已提交
225 226 227
        """path to the .changes file
        @type: str
        """
228 229 230 231
        return os.path.join(self.directory, self.filename)

    @property
    def primary_fingerprint(self):
A
Ansgar Burchardt 已提交
232 233 234
        """fingerprint of the key used for signing the .changes file
        @type: str
        """
235 236 237 238
        return self._signed_file.primary_fingerprint

    @property
    def valid_signature(self):
A
Ansgar Burchardt 已提交
239 240 241
        """C{True} if the .changes has a valid signature
        @type: bool
        """
242 243 244 245
        return self._signed_file.valid

    @property
    def architectures(self):
A
Ansgar Burchardt 已提交
246 247 248
        """list of architectures included in the upload
        @type: list of str
        """
249 250 251 252
        return self.changes['Architecture'].split()

    @property
    def distributions(self):
A
Ansgar Burchardt 已提交
253 254 255
        """list of target distributions for the upload
        @type: list of str
        """
256 257 258 259
        return self.changes['Distribution'].split()

    @property
    def source(self):
A
Ansgar Burchardt 已提交
260 261 262
        """included source or C{None}
        @type: L{daklib.upload.Source} or C{None}
        """
263 264 265 266 267 268 269 270 271
        if self._source is None:
            source_files = []
            for f in self.files.itervalues():
                if re_file_dsc.match(f.filename) or re_file_source.match(f.filename):
                    source_files.append(f)
            if len(source_files) > 0:
                self._source = Source(self.directory, source_files, self._keyrings, self._require_signature)
        return self._source

272 273 274 275 276 277 278
    @property
    def source_name(self):
        """source package name
        @type: str
        """
        return re_field_source.match(self.changes['Source']).group('package')

279 280
    @property
    def binaries(self):
A
Ansgar Burchardt 已提交
281 282 283
        """included binary packages
        @type: list of L{daklib.upload.Binary}
        """
284 285 286 287 288 289 290 291 292 293
        if self._binaries is None:
            binaries = []
            for f in self.files.itervalues():
                if re_file_binary.match(f.filename):
                    binaries.append(Binary(self.directory, f))
            self._binaries = binaries
        return self._binaries

    @property
    def byhand_files(self):
A
Ansgar Burchardt 已提交
294 295 296
        """included byhand files
        @type: list of L{daklib.upload.HashedFile}
        """
297 298 299 300 301 302 303 304 305 306 307 308 309
        byhand = []

        for f in self.files.itervalues():
            if re_file_dsc.match(f.filename) or re_file_source.match(f.filename) or re_file_binary.match(f.filename):
                continue
            if f.section != 'byhand' and f.section[:4] != 'raw-':
                raise InvalidChangesException("{0}: {1} looks like a byhand package, but is in section {2}".format(self.filename, f.filename, f.section))
            byhand.append(f)

        return byhand

    @property
    def binary_names(self):
A
Ansgar Burchardt 已提交
310 311 312
        """names of included binary packages
        @type: list of str
        """
313 314 315 316
        return self.changes['Binary'].split()

    @property
    def closed_bugs(self):
A
Ansgar Burchardt 已提交
317 318 319
        """bugs closed by this upload
        @type: list of str
        """
320 321 322 323
        return self.changes.get('Closes', '').split()

    @property
    def files(self):
A
Ansgar Burchardt 已提交
324 325 326
        """dict mapping filenames to L{daklib.upload.HashedFile} objects
        @type: dict
        """
327 328 329 330 331 332
        if self._files is None:
            self._files = parse_file_list(self.changes, True)
        return self._files

    @property
    def bytes(self):
A
Ansgar Burchardt 已提交
333 334 335
        """total size of files included in this upload in bytes
        @type: number
        """
336 337 338 339 340 341
        count = 0
        for f in self.files.itervalues():
            count += f.size
        return count

    def __cmp__(self, other):
A
Ansgar Burchardt 已提交
342
        """compare two changes files
343 344 345 346 347 348

        We sort by source name and version first.  If these are identical,
        we sort changes that include source before those without source (so
        that sourceful uploads get processed first), and finally fall back
        to the filename (this should really never happen).

A
Ansgar Burchardt 已提交
349 350
        @rtype:  number
        @return: n where n < 0 if self < other, n = 0 if self == other, n > 0 if self > other
351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377
        """
        ret = cmp(self.changes.get('Source'), other.changes.get('Source'))

        if ret == 0:
            # compare version
            ret = apt_pkg.version_compare(self.changes.get('Version', ''), other.changes.get('Version', ''))

        if ret == 0:
            # sort changes with source before changes without source
            if 'source' in self.architectures and 'source' not in other.architectures:
                ret = -1
            elif 'source' not in self.architectures and 'source' in other.architectures:
                ret = 1
            else:
                ret = 0

        if ret == 0:
            # fall back to filename
            ret = cmp(self.filename, other.filename)

        return ret

class Binary(object):
    """Representation of a binary package
    """
    def __init__(self, directory, hashed_file):
        self.hashed_file = hashed_file
A
Ansgar Burchardt 已提交
378 379 380
        """file object for the .deb
        @type: HashedFile
        """
381 382 383

        path = os.path.join(directory, hashed_file.filename)
        data = apt_inst.DebFile(path).control.extractdata("control")
A
Ansgar Burchardt 已提交
384

385
        self.control = apt_pkg.TagSection(data)
A
Ansgar Burchardt 已提交
386 387 388
        """dict to access fields in DEBIAN/control
        @type: dict-like
        """
389 390 391

    @property
    def source(self):
A
Ansgar Burchardt 已提交
392 393
        """get tuple with source package name and version
        @type: tuple of str
394 395 396 397 398 399 400 401 402 403 404 405 406 407
        """
        source = self.control.get("Source", None)
        if source is None:
            return (self.control["Package"], self.control["Version"])
        match = re_field_source.match(source)
        if not match:
            raise InvalidBinaryException('{0}: Invalid Source field.'.format(self.hashed_file.filename))
        version = match.group('version')
        if version is None:
            version = self.control['Version']
        return (match.group('package'), version)

    @property
    def type(self):
A
Ansgar Burchardt 已提交
408 409
        """package type ('deb' or 'udeb')
        @type: str
410 411 412 413 414 415 416 417
        """
        match = re_file_binary.match(self.hashed_file.filename)
        if not match:
            raise InvalidBinaryException('{0}: Does not match re_file_binary'.format(self.hashed_file.filename))
        return match.group('type')

    @property
    def component(self):
A
Ansgar Burchardt 已提交
418 419 420
        """component name
        @type: str
        """
421 422 423 424 425 426 427 428 429 430
        fields = self.control['Section'].split('/')
        if len(fields) > 1:
            return fields[0]
        return "main"

class Source(object):
    """Representation of a source package
    """
    def __init__(self, directory, hashed_files, keyrings, require_signature=True):
        self.hashed_files = hashed_files
A
Ansgar Burchardt 已提交
431 432 433 434
        """list of source files (including the .dsc itself)
        @type: list of L{HashedFile}
        """

435 436 437 438 439 440 441 442 443 444 445
        self._dsc_file = None
        for f in hashed_files:
            if re_file_dsc.match(f.filename):
                if self._dsc_file is not None:
                    raise InvalidSourceException("Multiple .dsc found ({0} and {1})".format(self._dsc_file.filename, f.filename))
                else:
                    self._dsc_file = f
        dsc_file_path = os.path.join(directory, self._dsc_file.filename)
        data = open(dsc_file_path, 'r').read()
        self._signed_file = SignedFile(data, keyrings, require_signature)
        self.dsc = apt_pkg.TagSection(self._signed_file.contents)
A
Ansgar Burchardt 已提交
446 447 448 449
        """dict to access fields in the .dsc file
        @type: dict-like
        """

450 451 452 453
        self._files = None

    @property
    def files(self):
A
Ansgar Burchardt 已提交
454 455 456 457 458 459
        """dict mapping filenames to L{HashedFile} objects for additional source files

        This list does not include the .dsc itself.

        @type: dict
        """
460 461 462 463 464 465
        if self._files is None:
            self._files = parse_file_list(self.dsc, False)
        return self._files

    @property
    def primary_fingerprint(self):
A
Ansgar Burchardt 已提交
466 467 468
        """fingerprint of the key used to sign the .dsc
        @type: str
        """
469 470 471 472
        return self._signed_file.primary_fingerprint

    @property
    def valid_signature(self):
A
Ansgar Burchardt 已提交
473 474 475
        """C{True} if the .dsc has a valid signature
        @type: bool
        """
476 477 478 479
        return self._signed_file.valid

    @property
    def component(self):
A
Ansgar Burchardt 已提交
480 481 482 483 484 485
        """guessed component name

        Might be wrong. Don't rely on this.

        @type: str
        """
486 487 488 489 490 491
        if 'Section' not in self.dsc:
            return 'main'
        fields = self.dsc['Section'].split('/')
        if len(fields) > 1:
            return fields[0]
        return "main"