Exemplo n.º 1
0
class TransmissionBroker:
    def __init__(self, config, persistence):
        self.conn = Client(config.address,
                           port=config.port,
                           user=config.user,
                           password=config.password)
        self.secret = config.secret
        self.persistence = persistence

    @staticmethod
    def pretty_torrents_list(torrents):
        info_list = list()
        for torrent in torrents:
            info_list.append('%s: %s, %s : %d%%' %
                             (torrent.id, torrent.name, torrent.status,
                              torrent.percentDone * 100))
        return '\n'.join(info_list)

    def retrieve_list(self, chat_id):
        torrents = self.conn.get_torrents()

        return TransmissionBroker.pretty_torrents_list(torrents)

    def add_torrent(self, chat_id, url):
        self.conn.add_torrent(url)

    def remove_torrent(self, chat_id, torrent_ids):
        # Check is not embedded to transmissionrpc module, so we have to do it ourselves
        missing_torrents = list()
        torrents = self.conn.get_torrents()
        for tid in torrent_ids:
            id_found = False
            for torrent in torrents:
                if tid == torrent.id:
                    id_found = True
                    break
            if not id_found:
                missing_torrents.append(tid)

        if len(missing_torrents) > 0:
            raise TransmissionError('Torrents %s not found' % missing_torrents)

        self.conn.remove_torrent(torrent_ids)

    def check_chat_authorization(self, chat_id):
        if not self.persistence.check_chat_id(chat_id):
            raise NotAuthorizedChatException()

    def authorize_chat(self, chat_id, secret):
        if self.secret == secret:
            self.persistence.add_chat_id(chat_id)
            return True
        else:
            return False
Exemplo n.º 2
0
class transmission_client:
    def __init__(self, host, port, username, password):
        self.client = Client(host, port=port, user=username, password=password)
        self.torrent = os.path.join(
            os.path.expanduser('~'), 'Downloads',
            'E5340FB5C061E4E53618F41B48D7E1CEA445BB02.torrent')
        print(self.torrent)

    def download(self):
        try:
            self.client.add_torrent(self.torrent,
                                    download_dir='/home/goku/Documents')
            print(
                'Add torrent into the download queue, the file will be saved at '
            )
        except ImportError:
            pass
Exemplo n.º 3
0
class TransmissionBroker:
    def __init__(self):
        print(f"user={TS_USER}, password={PASSWORD}")
        self.conn = Client(ADDRESS, PORT, user=TS_USER, password=PASSWORD)
        self.persistence = PERSISTENCE_FILE

    @staticmethod
    def pretty_torrents_list(torrents):
        info_list = []
        for torrent in torrents:
            percent = torrent.percentDone * 100
            info_list.append(
                f'{torrent.id}:{torrent.name}, {torrent.status}:{percent}'
            )
        return '\n'.join(info_list)

    def retrieve_list(self, chat_id):
        torrents = self.conn.get_torrents()
        return TransmissionBroker.pretty_torrents_list(torrents)

    def add_torrent(self, chat_id, url):
        self.conn.add_torrent(url)

    def remove_torrent(self, chat_id, torrent_ids):
        # Check is not embedded to transmissionrpc module, so we have to do it ourselves
        missing_torrents = list()
        torrents = self.conn.get_torrents()
        for tid in torrent_ids:
            id_found = False
            for torrent in torrents:
                if tid == torrent.id:
                    id_found = True
                    break
            if not id_found:
                missing_torrents.append(tid)

        if len(missing_torrents) > 0:
            raise TransmissionError(f'Torrents {missing_torrents} not found')

        self.conn.remove_torrent(torrent_ids)
Exemplo n.º 4
0
class TorrentClient(object):
    def __init__(self):
        self.conn = None

    def connect(self, host, username, password):
        if self.conn is not None:
            return self.conn

        if not host:
            return False
        try:
            if username and password:
                self.conn = Client(host, user=username, password=password)
            else:
                self.conn = Client(host)
        except:
            logger.error('Could not connect to %h' % host)
            return False

        return self.conn

    def find_torrent(self, hash):
        try:
            return self.conn.get_torrent(hash)
        except KeyError:
            logger.error('torrent %s does not exist')
            return False

    def get_torrent(self, torrent):
        torrent = self.conn.get_torrent(torrent.hashString)
        torrent_files = []
        torrent_directory = os.path.normpath(torrent.downloadDir)

        for f in torrent.files().itervalues():
            if not os.path.normpath(f['name']).startswith(torrent_directory):
                file_path = os.path.join(torrent_directory,
                                         f['name'].lstrip('/'))
            else:
                file_path = f['name']

            torrent_files.append(file_path)

        torrent_info = {
            'hash': torrent.hashString,
            'name': torrent.name,
            'folder': torrent.downloadDir,
            'completed': torrent.progress == 100,
            'label':
            'None',  ## labels not supported in transmission - for when it's in transmission
            'files': torrent_files,
            'upload_total': torrent.uploadedEver,
            'download_total': torrent.downloadedEver,
            'ratio': torrent.ratio,
            'total_filesize': torrent.sizeWhenDone,
            'time_started': torrent.date_started
        }
        logger.debug(torrent_info)
        return torrent_info if torrent_info else False

    def start_torrent(self, torrent):
        return torrent.start()

    def stop_torrent(self, torrent):
        return torrent.stop()

    def load_torrent(self, filepath):
        if any([
                mylar.TRANSMISSION_DIRECTORY is None,
                mylar.TRANSMISSION_DIRECTORY == '',
                mylar.TRANSMISSION_DIRECTORY == 'None'
        ]):
            down_dir = mylar.CHECK_FOLDER
        else:
            down_dir = mylar.TRANSMISSION_DIRECTORY
        torrent = self.conn.add_torrent(filepath, download_dir=down_dir)

        torrent.start()
        return self.get_torrent(torrent)

    def delete_torrent(self, torrent):
        deleted = []
        files = torrent.files()
        for file_item in files.itervalues():
            file_path = os.path.join(torrent.downloadDir, file_item['name'])
            deleted.append(file_path)

        if len(files) > 1:
            torrent_path = os.path.join(torrent.downloadDir, torrent.name)
            for path, _, _ in os.walk(torrent_path, topdown=False):
                deleted.append(path)

        if self.conn.remove_torrent(torrent.hashString, delete_data=True):
            return deleted
        else:
            logger.error('Unable to delete %s' % torrent.name)
            return []
class TorC:
    MANAGE_ACTION_INIT = 1
    MANAGE_ACTION_CLEAN = 2

    TOR_TYPE_SINGLE = 1
    TOR_TYPE_SERIES = 2
 
    Videos = ["mp4", "mkv", "avi", "mpeg", "mpg", "mov", "mov", "wmv"]

    def __init__(self, user, password):
        #TODO: host/port/url
        self.client = Client(user=user, password=password)
        self.torrent_props = {}
        for t in self.client.get_torrents():
            self.sort_by_episodes(t)

    def get_files(self, torrent = None):
        if not torrent:
            ret = []
            for t, tinfo in self.client.get_files().items():
                for fid, finfo in tinfo.items():
                    if finfo["name"].split(".")[-1] in TorC.Videos:
                        ret.append(finfo)
            return ret
        return [x for x in list(torrent.files().values()) if x["name"].split(".")[-1] in TorC.Videos ]

    def download_dir(self):
        return self.client.session.download_dir

    def add_magnet(self, magnet):
        torrent = self.client.add_torrent(magnet)
        while not torrent.files():
            time.sleep(.1)
            torrent.update()
        torrent.uploadLimit = 20
        torrent.stop()
        torrent.update()
        self.manage_files(torrent, TorC.MANAGE_ACTION_INIT)

        return torrent

    def status(self):
        ret = []
        for t in self.client.get_torrents():
            t.update()
            tor_data = [t.name, float(t.rateDownload), []]
            if t.hashString not in self.torrent_props:
                tor_data[2].append({
                            "name": t.name,
                            "completed": float(t.percentDone)*100})
            else:
                files_list = t.files()
                for f in self.torrent_props[t.hashString]["episodes"]:
                    fdict = files_list[f[0]]
                    if fdict["size"] == fdict["completed"] or not fdict["selected"]: continue
                    tor_data[2].append({"name": fdict["name"],
                        "completed": float(100*fdict["completed"])/fdict["size"]}),

            ret.append(tor_data)
        return ret

    def clean(self):
        toremove = []
        for t in self.client.get_torrents():
            t.update()
            if t.hashString not in self.torrent_props:
                if t.status == "seeding": toremove.append(t.id)
            else:
                if not self.start_using_priority(t): toremove.append(t.id)
        if toremove:
            self.client.remove_torrent(toremove)

    def init_torrent_download(self, torrent):
        files_list = torrent.files()
        self.torrent_props[torrent.hashString]  = {}
        #Skip all files:
        skip_files = {torrent.id : {}}
        for idx, f in enumerate(files_list):
            skip_files[torrent.id][idx] = {"selected": False}
        self.client.set_files(skip_files)

        video_files = { k:v for k,v in files_list.items() if v["name"].split(".")[-1].lower() in TorC.Videos }
        if len(video_files) > 1:
            sizesorted_files_list = sorted(video_files.values(), key=lambda x: x["size"], reverse=True)
            if sizesorted_files_list[0]["size"] > 5* sizesorted_files_list[1]["size"]:
                video_files = [sizesorted_files_list[0]]

        self.torrent_props[torrent.hashString]["episodes"] = self.sort_by_episodes(torrent)
        if len(video_files) > 2: #Type is series
            self.sort_by_episodes(torrent)
            self.start_using_priority(torrent)
        else:
            start_files = {}
            for idx,f in video_files.items():
                start_files[torrent.id] = {idx:{"selected": True}}
            self.client.set_files(start_files)




    def start_using_priority(self, torrent, startat=0):
        #TODO startat function
        files_list = torrent.files()
        pos = startat
        f = files_list[self.torrent_props[torrent.hashString]["episodes"][pos][0]]
        while  pos < len(self.torrent_props[torrent.hashString]["episodes"]) and f["size"] == f["completed"]:
            pos += 1
            try:
                f = files_list[self.torrent_props[torrent.hashString]["episodes"][pos][0]]
            except IndexError: pass
        if pos == len(self.torrent_props[torrent.hashString]["episodes"]):
            return False
        mod_files = {torrent.id:{self.torrent_props[torrent.hashString]["episodes"][pos][0]:{"selected": True, "priority": "high"}}}

        if pos < len(self.torrent_props[torrent.hashString]["episodes"]) - 1:
            mod_files[torrent.id][self.torrent_props[torrent.hashString]["episodes"][pos+1][0]] = {"priority":"normal", "selected": True}
        self.client.set_files(mod_files)
        return True

    def manage_files(self, torrent, action):
        files_list = torrent.files()
        if action == TorC.MANAGE_ACTION_INIT:
            self.init_torrent_download(torrent)

    def sort_by_episodes(self, torrent):
        files_list = torrent.files()
        video_files = { k:v for k,v in files_list.items() if v["name"].split(".")[-1].lower() in TorC.Videos }
        p = re.compile("S\d+E\d+", re.IGNORECASE)
        episodes = { re.search(p, v["name"]).group().upper(): (k, v["name"]) for k,v in video_files.items()}
        self.torrent_props[torrent.hashString]= {"episodes": [y[1] for y in sorted(episodes.items(), key = lambda x: x[0])]}

    def start_all(self):
        for t in self.client.get_torrents(): t.start()

    def stop_all(self):
        for t in self.client.get_torrents(): t.stop()
Exemplo n.º 6
0
class TransmissionClient(client.TorrentClient):
    """ Backend implementation for transmission """

    config_key = "client_transmission"

    _torrent_list_args = None

    def __init__(self, host=None, port=None, user=None, password=None):
        super(TransmissionClient, self).__init__()
        if not host:
            host = config.get_default(self.config_key, "host", "localhost")
        self.host = host
        if not port:
            port = config.get_default(self.config_key, "port", DEFAULT_PORT, int)
        self.port = port
        if not user:
            user = config.get_default(self.config_key, "user", None)
        self.user = user
        if not password:
            password = config.get_default(self.config_key, "password", None)
        self.password = password
        self.client = None
        self.connect()

    def client_version(self):
        version = "{}.{} ({})".format(*self.client.server_version)
        return version

    def connect(self):
        try:
            self.client = Client(address=self.host, port=self.port, user=self.user, password=self.password)
        except TransmissionError as err:
            if err.original.code == 111:
                self.log.error("Failed to connect to transmission-daemon, is it running?")
            elif err.original.code == 113:
                self.log.error("No route to host")
            else:
                self.log.exception("Error connecting to transmission server")
            raise

    def add(self, data, download_dir=None):
        """ Add a torrent to the client

        :param data: Torrent data to load in
        :type data: TorrentData
        :param download_dir: Path on deluge server to store download
        :type download_dir: basestring
        :return: Status of successful load (according to deluge)
        :rtype: bool
        """
        try:
            torrent = Torrent.from_str(data.torrent_data)
            try:
                self.torrent_status(torrent.info_hash)
            except KeyError:
                pass
            else:
                self.log.warn("Tried to load duplicate info hash: {}".format(torrent.info_hash))
                return True
            torrent_data = b64encode(data.torrent_data)
            res = self.client.add_torrent(torrent_data, download_dir=download_dir)
        except TransmissionError as err:
            try:
                msg = err._message
            except AttributeError:
                msg = err.message
            if "duplicate torrent" in msg:
                self.log.warning("Tried to add duplicate torrent file")
                return True
            self.log.exception(err)
            return False

        return res

    torrent_add = add

    def current_speeds(self):
        """ Fetch the speeds from the session instance
        :return: Upload, Download speeds in bytes/s
        :rtype: tuple
        """
        ses = self.client.session_stats()
        return ses.uploadSpeed, ses.downloadSpeed

    def torrent_list(self):
        """ Get a list of currently loaded torrents from the client

        :return:
        :rtype:
        """
        if not self._torrent_list_args:
            self._torrent_list_args = get_arguments('torrent-get', self.client.rpc_version)
            self._torrent_list_args.extend(['seeders', 'peersKnown',
                                            'peersGettingFromUs', 'peersSendingToUs',
                                            'isPrivate'])
        torrents = self.client.get_torrents(arguments=self._torrent_list_args)
        torrent_data = list()
        for torrent in torrents:
            data = client.ClientTorrentData(
                info_hash=torrent.hashString,
                name=torrent.name,
                ratio=torrent.ratio,
                up_rate=torrent.rateUpload,
                dn_rate=torrent.rateDownload,
                up_total=torrent.uploadedEver,
                dn_total=torrent.downloadedEver,
                size=torrent.sizeWhenDone,
                size_completed=torrent.sizeWhenDone-torrent.leftUntilDone,
                # TODO peer values are wrong
                peers=torrent.peersGettingFromUs,
                total_peers=0,
                seeders=torrent.peersSendingToUs,
                total_seeders=0,
                priority=torrent.priority,
                private=torrent.isPrivate,
                state=torrent.status,
                progress=torrent.progress
            )
            torrent_data.append(data)
        return torrent_data

    def torrent_remove(self, torrent_id, remove_data=False):
        """ Remove a torrent from the backend client via its torrentID supplied by the
        torrent daemon

        :param remove_data: Remove the torrent data file as well as .torrent
        :type remove_data: bool
        :param torrent_id: TorrentID provided by transmission
        :type torrent_id: int
        """
        self.client.remove_torrent(torrent_id, delete_data=remove_data)

    def torrent_peers(self, info_hash):
        torrent = self.client.get_torrent(info_hash, arguments=['id', 'hashString', 'peers'])
        peers = []
        session = Session()
        # TODO country code lookup
        for peer in torrent.peers:
            peers.append({
                'client': peer['clientName'],
                'down_speed': peer['rateToClient'],
                'up_speed': peer['rateToPeer'],
                'progress': peer['progress'],
                'ip': peer['address'],
                'country': geoip.find_country_code(session, peer['address'])
            })
        return peers

    def torrent_start(self, info_hash):
        self.client.start_torrent(info_hash)
        return True

    def torrent_pause(self, info_hash):
        self.client.stop(info_hash)
        return True

    def torrent_files(self, info_hash):
        files = []
        file_set = self.client.get_files(info_hash)
        for v in file_set.values():
            for file_info in [f for f in v.values()]:
                files.append(client.ClientFileData(
                    path=file_info['name'],
                    progress=file_info['size'] - file_info['completed'],
                    size=file_info['size'],
                    priority=file_info['priority']
                ))
                break
        return files

    def torrent_speed(self, info_hash):
        speed = self.client.get_torrent(info_hash, arguments=['id', 'hashString', 'rateDownload', 'rateUpload'])
        return speed.rateDownload, speed.rateUpload

    def disconnect(self):
        return True

    def torrent_status(self, info_hash):
        key_map = {
            'info_hash': 'hashString',
            'up_rate': 'rateUpload',
            'dn_rate': 'rateDownload',
            'up_total': 'uploadedEver',
            'dn_total': 'downloadedEver',
            'size': 'totalSize',
            'size_completed': 'percentDone',  # wrong
            'seeders': lambda t: len(t.peers),
            'total_seeders': lambda t: len(t.peers),
            'peers': 'peersConnected',
            'total_peers': lambda t: len(t.peers),
            'priority': 'queue_position',
            'private': 'isPrivate',
            'state': 'status',
            'progress': '',
            'tracker_status': '',
            'next_announce': lambda t: t.trackerStats[0]['nextAnnounceTime'],
            'save_path': 'downloadDir',
            'piece_length': 'pieceSize',
            'num_pieces': 'pieceCount',
            'time_added': 'addedDate',
            'distributed_copies': lambda t: functools.reduce(lambda a,b: a+b, [p['progress'] for p in t.peers], 0),
            'active_time': '',
            #'seeding_time': 'secondsSeeding', Not found in my version? trans 2.8.4
            'num_files': lambda t: len(torrent.files()),
            'queue_position': 'queue_position'
        }
        torrent = self.client.get_torrent(info_hash)
        detail = client.ClientTorrentDataDetail(info_hash=info_hash)
        for key in detail.key_list:
            val = key_map.get(key, None)
            if val:
                if callable(val):
                    detail[key] = val(torrent)
                else:
                    detail[key] = getattr(torrent, val)
        return detail

    def torrent_recheck(self, info_hash):
        self.client.verify_torrent(info_hash)
        return True

    def torrent_reannounce(self, info_hash):
        self.client.reannounce_torrent(info_hash)
        return True

    def torrent_queue_up(self, info_hash):
        self.client.queue_up(info_hash)
        return True

    def torrent_queue_down(self, info_hash):
        self.client.queue_down(info_hash)
        return True

    def torrent_queue_top(self, info_hash):
        self.client.queue_top(info_hash)
        return True

    def torrent_queue_bottom(self, info_hash):
        self.client.queue_bottom(info_hash)
        return True

    def torrent_move_data(self, info_hash, dest):
        self.client.move_torrent_data(info_hash, dest)
        return True
Exemplo n.º 7
0
class TorrentClient(object):
    def __init__(self):
        self.conn = None

    def connect(self, host, username, password):
        if self.conn is not None:
            return self.conn

        if not host:
            return False
        try:
            if username and password:
                self.conn = Client(
                    host,
                    user=username,
                    password=password
                )
            else:
                self.conn = Client(host)
        except:
            logger.error('Could not connect to %h' % host)
            return False

        return self.conn

    def find_torrent(self, hash):
        try:
            return self.conn.get_torrent(hash)
        except KeyError:
            logger.error('torrent %s does not exist')
            return False

    def get_torrent(self, torrent):
        torrent = self.conn.get_torrent(torrent.hashString)
        torrent_files = []
        torrent_directory = os.path.normpath(torrent.downloadDir)

        for f in torrent.files().itervalues():
            if not os.path.normpath(f['name']).startswith(torrent_directory):
                file_path = os.path.join(torrent_directory,
                                         f['name'].lstrip('/'))
            else:
                file_path = f['name']

            torrent_files.append(file_path)

        torrent_info = {
            'hash': torrent.hashString,
            'name': torrent.name,
            'folder': torrent.downloadDir,
            'completed': torrent.progress == 100,
            'label': 'None', ## labels not supported in transmission - for when it's in transmission
            'files': torrent_files,
            'upload_total': torrent.uploadedEver,
            'download_total': torrent.downloadedEver,
            'ratio': torrent.ratio,
            'total_filesize': torrent.sizeWhenDone,
            'time_started': torrent.date_started
        }
        logger.debug(torrent_info)
        return torrent_info if torrent_info else False

    def start_torrent(self, torrent):
        return torrent.start()

    def stop_torrent(self, torrent):
        return torrent.stop()

    def load_torrent(self, filepath):
        if any([mylar.TRANSMISSION_DIRECTORY is None, mylar.TRANSMISSION_DIRECTORY == '', mylar.TRANSMISSION_DIRECTORY == 'None']):
            down_dir = mylar.CHECK_FOLDER
        else:
            down_dir = mylar.TRANSMISSION_DIRECTORY
        if filepath.startswith('magnet'):
            torrent = self.conn.add_torrent('%s' % filepath,
                                            download_dir=down_dir)
        else:
            torrent = self.conn.add_torrent('file://%s' % filepath,
                                            download_dir=down_dir)

        torrent.start()
        return self.get_torrent(torrent)

    def delete_torrent(self, torrent):
        deleted = []
        files = torrent.files()
        for file_item in files.itervalues():
            file_path = os.path.join(torrent.downloadDir,
                                     file_item['name'])
            deleted.append(file_path)

        if len(files) > 1:
            torrent_path = os.path.join(torrent.downloadDir, torrent.name)
            for path, _, _ in os.walk(torrent_path, topdown=False):
                deleted.append(path)

        if self.conn.remove_torrent(torrent.hashString, delete_data=True):
            return deleted
        else:
            logger.error('Unable to delete %s' % torrent.name)
            return []
Exemplo n.º 8
0
class TransmissionClient(client.TorrentClient):
    """ Backend implementation for transmission """

    config_key = "client_transmission"

    _torrent_list_args = None

    def __init__(self, host=None, port=None, user=None, password=None):
        super(TransmissionClient, self).__init__()
        if not host:
            host = config.get_default(self.config_key, "host", "localhost")
        self.host = host
        if not port:
            port = config.get_default(self.config_key, "port", DEFAULT_PORT,
                                      int)
        self.port = port
        if not user:
            user = config.get_default(self.config_key, "user", None)
        self.user = user
        if not password:
            password = config.get_default(self.config_key, "password", None)
        self.password = password
        self.client = None
        self.connect()

    def client_version(self):
        version = "{}.{} ({})".format(*self.client.server_version)
        return version

    def connect(self):
        try:
            self.client = Client(address=self.host,
                                 port=self.port,
                                 user=self.user,
                                 password=self.password)
        except TransmissionError as err:
            if err.original.code == 111:
                self.log.error(
                    "Failed to connect to transmission-daemon, is it running?")
            elif err.original.code == 113:
                self.log.error("No route to host")
            else:
                self.log.exception("Error connecting to transmission server")
            raise

    def add(self, data, download_dir=None):
        """ Add a torrent to the client

        :param data: Torrent data to load in
        :type data: TorrentData
        :param download_dir: Path on deluge server to store download
        :type download_dir: basestring
        :return: Status of successful load (according to deluge)
        :rtype: bool
        """
        try:
            torrent = Torrent.from_str(data.torrent_data)
            try:
                self.torrent_status(torrent.info_hash)
            except KeyError:
                pass
            else:
                self.log.warn("Tried to load duplicate info hash: {}".format(
                    torrent.info_hash))
                return True
            torrent_data = b64encode(data.torrent_data)
            res = self.client.add_torrent(torrent_data,
                                          download_dir=download_dir)
        except TransmissionError as err:
            try:
                msg = err._message
            except AttributeError:
                msg = err.message
            if "duplicate torrent" in msg:
                self.log.warning("Tried to add duplicate torrent file")
                return True
            self.log.exception(err)
            return False

        return res

    torrent_add = add

    def current_speeds(self):
        """ Fetch the speeds from the session instance
        :return: Upload, Download speeds in bytes/s
        :rtype: tuple
        """
        ses = self.client.session_stats()
        return ses.uploadSpeed, ses.downloadSpeed

    def torrent_list(self):
        """ Get a list of currently loaded torrents from the client

        :return:
        :rtype:
        """
        if not self._torrent_list_args:
            self._torrent_list_args = get_arguments('torrent-get',
                                                    self.client.rpc_version)
            self._torrent_list_args.extend([
                'seeders', 'peersKnown', 'peersGettingFromUs',
                'peersSendingToUs', 'isPrivate'
            ])
        torrents = self.client.get_torrents(arguments=self._torrent_list_args)
        torrent_data = list()
        for torrent in torrents:
            data = client.ClientTorrentData(
                info_hash=torrent.hashString,
                name=torrent.name,
                ratio=torrent.ratio,
                up_rate=torrent.rateUpload,
                dn_rate=torrent.rateDownload,
                up_total=torrent.uploadedEver,
                dn_total=torrent.downloadedEver,
                size=torrent.sizeWhenDone,
                size_completed=torrent.sizeWhenDone - torrent.leftUntilDone,
                # TODO peer values are wrong
                peers=torrent.peersGettingFromUs,
                total_peers=0,
                seeders=torrent.peersSendingToUs,
                total_seeders=0,
                priority=torrent.priority,
                private=torrent.isPrivate,
                state=torrent.status,
                progress=torrent.progress)
            torrent_data.append(data)
        return torrent_data

    def torrent_remove(self, torrent_id, remove_data=False):
        """ Remove a torrent from the backend client via its torrentID supplied by the
        torrent daemon

        :param remove_data: Remove the torrent data file as well as .torrent
        :type remove_data: bool
        :param torrent_id: TorrentID provided by transmission
        :type torrent_id: int
        """
        self.client.remove_torrent(torrent_id, delete_data=remove_data)

    def torrent_peers(self, info_hash):
        torrent = self.client.get_torrent(
            info_hash, arguments=['id', 'hashString', 'peers'])
        peers = []
        session = Session()
        # TODO country code lookup
        for peer in torrent.peers:
            peers.append({
                'client':
                peer['clientName'],
                'down_speed':
                peer['rateToClient'],
                'up_speed':
                peer['rateToPeer'],
                'progress':
                peer['progress'],
                'ip':
                peer['address'],
                'country':
                geoip.find_country_code(session, peer['address'])
            })
        return peers

    def torrent_start(self, info_hash):
        self.client.start_torrent(info_hash)
        return True

    def torrent_pause(self, info_hash):
        self.client.stop(info_hash)
        return True

    def torrent_files(self, info_hash):
        files = []
        file_set = self.client.get_files(info_hash)
        for v in list(file_set.values()):
            for file_info in [f for f in list(v.values())]:
                files.append(
                    client.ClientFileData(path=file_info['name'],
                                          progress=file_info['size'] -
                                          file_info['completed'],
                                          size=file_info['size'],
                                          priority=file_info['priority']))
                break
        return files

    def torrent_speed(self, info_hash):
        speed = self.client.get_torrent(
            info_hash,
            arguments=['id', 'hashString', 'rateDownload', 'rateUpload'])
        return speed.rateDownload, speed.rateUpload

    def disconnect(self):
        return True

    def torrent_status(self, info_hash):
        key_map = {
            'info_hash':
            'hashString',
            'up_rate':
            'rateUpload',
            'dn_rate':
            'rateDownload',
            'up_total':
            'uploadedEver',
            'dn_total':
            'downloadedEver',
            'size':
            'totalSize',
            'size_completed':
            'percentDone',  # wrong
            'seeders':
            lambda t: len(t.peers),
            'total_seeders':
            lambda t: len(t.peers),
            'peers':
            'peersConnected',
            'total_peers':
            lambda t: len(t.peers),
            'priority':
            'queue_position',
            'private':
            'isPrivate',
            'state':
            'status',
            'progress':
            '',
            'tracker_status':
            '',
            'next_announce':
            lambda t: t.trackerStats[0]['nextAnnounceTime'],
            'save_path':
            'downloadDir',
            'piece_length':
            'pieceSize',
            'num_pieces':
            'pieceCount',
            'time_added':
            'addedDate',
            'distributed_copies':
            lambda t: functools.reduce(lambda a, b: a + b,
                                       [p['progress'] for p in t.peers], 0),
            'active_time':
            '',
            #'seeding_time': 'secondsSeeding', Not found in my version? trans 2.8.4
            'num_files':
            lambda t: len(torrent.files()),
            'queue_position':
            'queue_position'
        }
        torrent = self.client.get_torrent(info_hash)
        detail = client.ClientTorrentDataDetail(info_hash=info_hash)
        for key in detail.key_list:
            val = key_map.get(key, None)
            if val:
                if callable(val):
                    detail[key] = val(torrent)
                else:
                    detail[key] = getattr(torrent, val)
        return detail

    def torrent_recheck(self, info_hash):
        self.client.verify_torrent(info_hash)
        return True

    def torrent_reannounce(self, info_hash):
        self.client.reannounce_torrent(info_hash)
        return True

    def torrent_queue_up(self, info_hash):
        self.client.queue_up(info_hash)
        return True

    def torrent_queue_down(self, info_hash):
        self.client.queue_down(info_hash)
        return True

    def torrent_queue_top(self, info_hash):
        self.client.queue_top(info_hash)
        return True

    def torrent_queue_bottom(self, info_hash):
        self.client.queue_bottom(info_hash)
        return True

    def torrent_move_data(self, info_hash, dest):
        self.client.move_torrent_data(info_hash, dest)
        return True
def upload_torrents():
  parser = ArgumentParser(description='Upload .torrent files to a Transmission server.')

  parser.add_argument('host', type=str, help='Transmission host[:port] (port defaults to 9091)')

  parser.add_argument('-u', '--user', type=str, default=getuser(), help='Transmission username (defaults to current user)')
  parser.add_argument('-d', '--directory', type=str, default='~/Downloads', help='directory to search for .torrent files (defaults to ~/Downloads)')
  parser.add_argument('-k', '--keep', action='store_true', help='do not trash .torrent files after uploading')

  args = parser.parse_args()
  t = Terminal()

  directory = Path(normpath(expanduser(expandvars(args.directory)))).resolve()
  print('\nScanning {} for {} files...'.format(t.bold(str(directory)), t.bold('.torrent')), end='')
  torrent_files = sorted(directory.glob('*.torrent'))
  if torrent_files:
    print(t.bold_bright_green(' Found {}'.format(len(torrent_files))))
  else:
    print(t.bold_bright_red(' None found'))
    return

  password = getpass('\n{}\'s password: '******':' in args.host:
      hostname, port = args.host.split(':')
      client = Client(address=hostname, port=port, user=args.user, password=password)
    else:
      client = Client(address=args.host, user=args.user, password=password)
    print(t.bold_bright_green('Connected'))
  except TransmissionError as e:
    print(t.bold_bright_red('Connection failed') + ' to Transmission at ' + t.bold(args.host))
    return

  uploaded, failed = [], []

  # pad the index so that the brackets are all vertically aligned
  width = len(str(len(torrent_files)))

  for i, f in enumerate(torrent_files):
    prefix = ('[{:>{width}}]').format(i + 1, width=width)
    print('\n' + t.bold(prefix + ' Uploading') + '\t' + f.name)
    try:
      torrent = client.add_torrent('file://' + str(f))
      uploaded.append(f)
      print(t.bold_bright_green(prefix + ' Started') + '\t' + t.bright_cyan(torrent.name))
    except TransmissionError as e:
      failed.append(f)
      print(t.bold_bright_red(prefix + ' Error') + '\t' + t.bright_black(str(e)))

  if not args.keep:
    # convert to list to force iteration
    trash = lambda f: send2trash(str(f))
    list(map(trash, uploaded))

  print('')

  if uploaded:
    print('{} file{} uploaded successfully{}'.format(
      t.bold_bright_green(str(len(uploaded))),
      's' if len(uploaded) != 1 else '',
      ' and moved to trash' if not args.keep else ''
    ))

  if failed:
    print('{} file{} failed to upload'.format(
      t.bold_bright_red(str(len(failed))),
      's' if len(failed) != 1 else ''
    ))