This file is indexed.

/usr/share/pyshared/dmedia/downloader.py is in python-dmedia 0.6.0~repack-1build1.

This file is owned by root:root, with mode 0o644.

The actual contents of the file can be viewed below.

  1
  2
  3
  4
  5
  6
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 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
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
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
129
130
131
132
133
134
135
136
137
138
139
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
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
# Authors:
#   Jason Gerard DeRose <jderose@novacut.com>
#
# dmedia: distributed media library
# Copyright (C) 2010 Jason Gerard DeRose <jderose@novacut.com>
#
# This file is part of `dmedia`.
#
# `dmedia` is free software: you can redistribute it and/or modify it under the
# terms of the GNU Affero General Public License as published by the Free
# Software Foundation, either version 3 of the License, or (at your option) any
# later version.
#
# `dmedia` 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 Affero General Public License for more
# details.
#
# You should have received a copy of the GNU Affero General Public License along
# with `dmedia`.  If not, see <http://www.gnu.org/licenses/>.

"""
Download files in chunks using HTTP Range requests.
"""

from os import path
from hashlib import sha1
from base64 import b32encode
from urlparse import urlparse
from httplib import HTTPConnection, HTTPSConnection
import logging
import time

import libtorrent
from boto.s3.connection import S3Connection
from boto.s3.bucket import Bucket
from boto.s3.key import Key

from . import __version__
from .constants import CHUNK_SIZE, TYPE_ERROR
from .errors import DownloadFailure
from .filestore import FileStore, HashList


USER_AGENT = 'dmedia %s' % __version__
log = logging.getLogger()


def bytes_range(start, stop=None):
    """
    Convert from Python slice semantics to an HTTP Range request.

    Python slice semantics are quite natural to deal with, whereas the HTTP
    Range semantics are a touch wacky, so this function will help prevent silly
    errors.

    For example, say we're requesting parts of a 10,000 byte long file.  This
    requests the first 500 bytes:

    >>> bytes_range(0, 500)
    'bytes=0-499'

    This requests the second 500 bytes:

    >>> bytes_range(500, 1000)
    'bytes=500-999'

    All three of these request the final 500 bytes:

    >>> bytes_range(9500, 10000)
    'bytes=9500-9999'
    >>> bytes_range(-500)
    'bytes=-500'
    >>> bytes_range(9500)
    'bytes=9500-'

    For details on HTTP Range header, see:

      http://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.35
    """
    if start < 0:
        assert stop is None
        return 'bytes=%d' % start
    end = ('' if stop is None else stop - 1)
    return 'bytes=%d-%s' % (start, end)


def range_request(i, leaf_size, file_size):
    """
    Request leaf *i* in a tree with *leaf_size* from a file *file_size*.

    The function returns the value for a Range request header.  For example,
    say we have a *leaf_size* of 1024 bytes and a *file_size* of 2311 bytes:

    >>> range_request(0, 1024, 2311)
    'bytes=0-1023'
    >>> range_request(1, 1024, 2311)
    'bytes=1024-2047'
    >>> range_request(2, 1024, 2311)
    'bytes=2048-2310'

    Also see the `bytes_range()` function, which this function uses.

    :param i: The leaf to request (zero-index)
    :param leaf_size: Size of leaf in bytes (min 1024 bytes)
    :param file_size: Size of file in bytes (min 1 byte)
    """
    if i < 0:
        raise ValueError('i must be >=0; got %r' % i)
    if leaf_size < 1024:
        raise ValueError('leaf_size must be >=1024; got %r' % leaf_size)
    if file_size < 1:
        raise ValueError('file_size must be >=1; got %r' % file_size)
    start = i * leaf_size
    if start >= file_size:
        raise ValueError(
            'past end of file: i=%r, leaf_size=%r, file_size=%r' % (
                i, leaf_size, file_size
            )
        )
    stop = min(file_size, (i + 1) * leaf_size)
    return bytes_range(start, stop)


class Downloader(object):
    def __init__(self, dst_fp, url, leaves, leaf_size, file_size):
        self.dst_fp = dst_fp
        self.url = url
        self.c = urlparse(url)
        if self.c.scheme not in ('http', 'https'):
            raise ValueError('url scheme must be http or https; got %r' % url)
        self.leaves = leaves
        self.leaf_size = leaf_size
        self.file_size = file_size

    def conn(self):
        """
        Return new connection instance.
        """
        klass = (HTTPConnection if self.c.scheme == 'http' else HTTPSConnection)
        conn = klass(self.c.netloc, strict=True)
        conn.set_debuglevel(1)
        return conn

    def download_leaf(self, i):
        conn = self.conn()
        headers = {
            'User-Agent': USER_AGENT,
            'Range': range_request(i, self.leaf_size, self.file_size),
        }
        conn.request('GET', self.url, headers=headers)
        response = conn.getresponse()
        return response.read()

    def process_leaf(self, i, expected):
        for r in xrange(3):
            chunk = self.download_leaf(i)
            got = b32encode(sha1(chunk).digest())
            if got == expected:
                self.dst_fp.write(chunk)
                return chunk
            log.warning('leaf %d expected %r; got %r', i, expected, got)
        raise DownloadFailure(leaf=i, expected=expected, got=got)

    def run(self):
        for (i, chash) in enumerate(self.leaves):
            self.process_leaf(i, chash)


class TorrentDownloader(object):
    def __init__(self, torrent, fs, chash, ext=None):
        if not isinstance(fs, FileStore):
            raise TypeError(
                TYPE_ERROR % ('fs', FileStore, type(fs), fs)
            )
        self.torrent = torrent
        self.fs = fs
        self.chash = chash
        self.ext = ext

    def get_tmp(self):
        tmp = self.fs.tmp(self.chash, self.ext, create=True)
        log.debug('Writting file to %r', tmp)
        return tmp

    def finalize(self):
        dst = self.fs.tmp_verify_move(self.chash, self.ext)
        log.debug('Canonical name is %r', dst)
        return dst

    def run(self):
        log.info('Downloading torrent %r %r', self.chash, self.ext)
        tmp = self.get_tmp()
        session = libtorrent.session()
        session.listen_on(6881, 6891)

        info = libtorrent.torrent_info(
            libtorrent.bdecode(self.torrent)
        )

        torrent = session.add_torrent({
            'ti': info,
            'save_path': path.dirname(tmp),
        })

        while not torrent.is_seed():
            s = torrent.status()
            log.debug('Downloaded %d%%', s.progress * 100)
            time.sleep(2)

        session.remove_torrent(torrent)
        time.sleep(1)

        return self.finalize()


class S3Progress(object):
    """
    S3 progress callback.

    FIXME: This should relay to higher level code.
    """
    def __init__(self, key, bucket, verb='Uploaded'):
        self.key = key
        self.bucket = bucket
        self.verb = verb

    def __call__(self, completed, total):
        log.debug('%s %d/%d bytes of key %r from bucket %r',
            self.verb, completed, total, self.key, self.bucket
        )


class S3Transfer(object):
    """
    Upload to and download from Amazon S3 using ``boto``.

    For documentation on ``boto``, see:

        http://code.google.com/p/boto/
    """

    def __init__(self, bucketname, keyid, secret):
        """
        Initialize.

        :param bucketname: Name of S3 bucket, eg ``'novacut'``
        :param keyid: Your aws_access_key_id
        :param secret: Your aws_secret_access_key
        """
        self.bucketname = bucketname
        self.keyid = keyid
        self.secret = secret
        self._bucket = None

    def __repr__(self):
        return '%s(%r, <keyid>, <secret>)' % (
            self.__class__.__name__, self.bucketname
        )

    @staticmethod
    def key(chash, ext=None):
        """
        Return S3 key for file with *chash* and extension *ext*.

        For example:

        >>> S3Transfer.key('ZR765XWSF6S7JQHLUI4GCG5BHGPE252O', 'mov')
        'ZR765XWSF6S7JQHLUI4GCG5BHGPE252O.mov'
        >>> S3Transfer.key('ZR765XWSF6S7JQHLUI4GCG5BHGPE252O')
        'ZR765XWSF6S7JQHLUI4GCG5BHGPE252O'

        """
        if ext:
            return '.'.join([chash, ext])
        return chash

    @property
    def bucket(self):
        """
        Lazily create the ``boto.s3.bucket.Bucket`` instance.
        """
        if self._bucket is None:
            conn = S3Connection(self.keyid, self.secret)
            self._bucket = conn.get_bucket(self.bucketname)
        return self._bucket

    def upload(self, doc, fs):
        """
        Upload the file with *doc* metadata from the filestore *fs*.

        :param doc: the CouchDB document of file to upload (a ``dict``)
        :param fs: a `FileStore` instance from which the file will be read
        """
        chash = doc['_id']
        ext = doc.get('ext')
        key = self.key(chash, ext)
        log.info('Uploading %r to S3 bucket %r...', key, self.bucketname)

        k = Key(self.bucket)
        k.key = key
        headers = {}
        if doc.get('content_type'):
            headers['Content-Type'] = doc['content_type']
        fp = fs.open(chash, ext)
        k.set_contents_from_file(fp,
            headers=headers,
            cb=S3Progress(key, self.bucketname, 'Uploaded'),
            policy='public-read',
        )
        log.info('Uploaded %r to S3 bucket %r', key, self.bucketname)

    def download(self, doc, fs):
        """
        Download the file with *doc* metadata into the filestore *fs*.

        :param doc: the CouchDB document of file to download (a ``dict``)
        :param fs: a `FileStore` instance into which the file will be written
        """
        chash = doc['_id']
        ext = doc.get('ext')
        key = self.key(chash, ext)
        log.info('Downloading %r from S3 bucket %r...', key, self.bucketname)

        k = self.bucket.get_key(self.key(chash, ext))
        tmp_fp = fs.allocate_for_transfer(doc['size'], chash, ext)
        k.get_file(tmp_fp,
            cb=S3Progress(key, self.bucketname, 'Downloaded'),
        )
        tmp_fp.close()
        fs.tmp_verify_move(chash, ext)
        log.info('Downloaded %r from S3 bucket %r', key, self.bucketname)