Add support for Dbus and adding torrents to an already running client.

Minor UI tweaks.
Additional error checking in update functions.
This commit is contained in:
Andrew Resch 2007-11-13 08:47:26 +00:00
commit 10456b3f99
8 changed files with 823 additions and 697 deletions

7
TODO
View file

@ -15,9 +15,14 @@
* Implement 'Classic' mode * Implement 'Classic' mode
* Add remove torrent dialog and ability to remove data * Add remove torrent dialog and ability to remove data
* Tray tooltip * Tray tooltip
* Add DBUS to gtkui so we can add torrents to existing session
* Add LSD * Add LSD
* Add torrentfiles location config option * Add torrentfiles location config option
* Add autoload folder * Add autoload folder
* Add wizard * Add wizard
* Add a health indication to the statusbar * Add a health indication to the statusbar
* Add sidebar for labels and other things.. Plugins should be able to add their
own section to this.
* Have the dbus interface queue up torrents if we're not connected to a host.
Once connected it should prompt the user if they would like to add the
queued torrents. Maybe add an indicator to the status bar that their are
queued torrents.

View file

@ -127,6 +127,12 @@ def is_localhost():
return False return False
def connected():
"""Returns True if connected to a host, and False if not."""
if get_core_uri() != None:
return True
return False
def shutdown(): def shutdown():
"""Shutdown the core daemon""" """Shutdown the core daemon"""
try: try:
@ -146,7 +152,12 @@ def add_torrent_file(torrent_files):
for torrent_file in torrent_files: for torrent_file in torrent_files:
# Open the .torrent file for reading because we need to send it's # Open the .torrent file for reading because we need to send it's
# contents to the core. # contents to the core.
f = open(torrent_file, "rb") try:
f = open(torrent_file, "rb")
except Exception, e:
log.warning("Unable to open %s: %s", torrent_file, e)
continue
# Get the filename because the core doesn't want a path. # Get the filename because the core doesn't want a path.
(path, filename) = os.path.split(torrent_file) (path, filename) = os.path.split(torrent_file)
fdump = xmlrpclib.Binary(f.read()) fdump = xmlrpclib.Binary(f.read())

View file

@ -67,7 +67,6 @@ class Component:
class ComponentRegistry: class ComponentRegistry:
def __init__(self): def __init__(self):
self.components = {} self.components = {}
#self.component_state = {}
self.update_timer = None self.update_timer = None
def register(self, name, obj): def register(self, name, obj):

View file

@ -0,0 +1,109 @@
#
# dbusinterface.py
#
# Copyright (C) 2007 Andrew Resch ('andar') <andrewresch@gmail.com>
#
# Deluge is free software.
#
# You may 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.
#
# deluge 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 deluge. If not, write to:
# The Free Software Foundation, Inc.,
# 51 Franklin Street, Fifth Floor
# Boston, MA 02110-1301, USA.
#
# In addition, as a special exception, the copyright holders give
# permission to link the code of portions of this program with the OpenSSL
# library.
# You must obey the GNU General Public License in all respects for all of
# the code used other than OpenSSL. If you modify file(s) with this
# exception, you may extend this exception to your version of the file(s),
# but you are not obligated to do so. If you do not wish to do so, delete
# this exception statement from your version. If you delete this exception
# statement from all source files in the program, then also delete it here.
import sys
import os
# Import DBUS
#from dbus import Interface, SessionBus, version
import dbus, dbus.service
if dbus.version >= (0,41,0) and dbus.version < (0,80,0):
import dbus.glib
elif dbus.version >= (0,80,0):
from dbus.mainloop.glib import DBusGMainLoop
DBusGMainLoop(set_as_default=True)
import deluge.ui.component as component
import deluge.ui.client as client
import deluge.common
from deluge.log import LOG as log
class DbusInterface(dbus.service.Object, component.Component):
def __init__(self, args, path="/org/deluge_torrent/Deluge"):
component.Component.__init__(self, "DbusInterface")
# Check to see if the daemon is already running and if not, start it
bus = dbus.SessionBus()
obj = bus.get_object("org.freedesktop.DBus", "/org/freedesktop/DBus")
iface = dbus.Interface(obj, "org.freedesktop.DBus")
if iface.NameHasOwner("org.deluge_torrent.Deluge"):
# Deluge client already running.. Lets exit.
log.info("Deluge already running..")
log.debug("args: %s", args)
# Convert the paths to absolutes
new_args = []
for arg in args:
if not deluge.common.is_url(arg):
new_args.append(os.path.abspath(arg))
args = new_args
# Send the args to the running session
if args != [] and args != None:
bus = dbus.SessionBus()
proxy = bus.get_object("org.deluge_torrent.Deluge",
"/org/deluge_torrent/Deluge")
ui = dbus.Interface(proxy, "org.deluge_torrent.Deluge")
ui.process_args(args)
# Exit
log.debug("Exiting..")
sys.exit(0)
# Register Deluge with Dbus
log.info("Registering with DBUS..")
bus_name = dbus.service.BusName("org.deluge_torrent.Deluge",
bus=dbus.SessionBus())
dbus.service.Object.__init__(self, bus_name, path)
@dbus.service.method("org.deluge_torrent.Deluge", in_signature="as")
def process_args(self, args):
"""Process arguments sent to already running Deluge"""
# Pythonize the values from Dbus
dbus_args = args
args = []
for arg in dbus_args:
args.append(str(arg))
log.debug("Processing args from other process: %s", args)
for arg in args:
# Check to see if we're connected to a host first
if client.connected():
if deluge.common.is_url(arg):
log.debug("Attempting to add %s from external source..",
arg)
client.add_torrent_url(arg)
else:
# Just a file
log.debug("Attempting to add %s from external source..",
os.path.abspath(arg))
client.add_torrent_file([os.path.abspath(arg)])

File diff suppressed because it is too large Load diff

View file

@ -51,6 +51,7 @@ from statusbar import StatusBar
from connectionmanager import ConnectionManager from connectionmanager import ConnectionManager
from signals import Signals from signals import Signals
from pluginmanager import PluginManager from pluginmanager import PluginManager
from dbusinterface import DbusInterface
from deluge.configmanager import ConfigManager from deluge.configmanager import ConfigManager
from deluge.log import LOG as log from deluge.log import LOG as log
import deluge.configmanager import deluge.configmanager
@ -86,6 +87,10 @@ DEFAULT_PREFS = {
class GtkUI: class GtkUI:
def __init__(self, args): def __init__(self, args):
# Start the Dbus Interface before anything else.. Just in case we are
# already running.
self.dbusinterface = DbusInterface(args)
# Initialize gettext # Initialize gettext
locale.setlocale(locale.LC_MESSAGES, '') locale.setlocale(locale.LC_MESSAGES, '')
locale.bindtextdomain("deluge", locale.bindtextdomain("deluge",

View file

@ -175,11 +175,16 @@ class ToolBar(component.Component):
# Disable the 'Clear Seeders' button if there's no finished torrent # Disable the 'Clear Seeders' button if there's no finished torrent
finished = False finished = False
selecteds = component.get('TorrentView').get_selected_torrents() selected = component.get('TorrentView').get_selected_torrents()
if not selecteds : selecteds = [] if not selected:
selected = []
for torrent in selecteds : for torrent in selected:
status = client.get_torrent_status(torrent, ['state'])['state'] try:
status = client.get_torrent_status(torrent, ['state'])['state']
except KeyError, e:
log.debug("Error getting torrent state: %s", e)
continue
if status == self.STATE_PAUSED: if status == self.STATE_PAUSED:
resume = True resume = True
elif status in [self.STATE_FINISHED, self.STATE_SEEDING]: elif status in [self.STATE_FINISHED, self.STATE_SEEDING]:
@ -187,16 +192,18 @@ class ToolBar(component.Component):
pause = True pause = True
else: else:
pause = True pause = True
if pause and resume and finished: break if pause and resume and finished:
break
# Enable the 'Remove Torrent' button only if there's some selected # Enable the 'Remove Torrent' button only if there's some selected
# torrent. # torrent.
remove = (len(selecteds ) > 0) remove = (len(selected) > 0)
if not finished: if not finished:
torrents = client.get_session_state() torrents = client.get_session_state()
for torrent in torrents: for torrent in torrents:
if torrent in selecteds: continue if torrent in selected:
continue
status = client.get_torrent_status(torrent, ['state'])['state'] status = client.get_torrent_status(torrent, ['state'])['state']
if status in [self.STATE_FINISHED, self.STATE_SEEDING]: if status in [self.STATE_FINISHED, self.STATE_SEEDING]:
finished = True finished = True

View file

@ -118,37 +118,43 @@ class TorrentDetails(component.Component):
return return
# We need to adjust the value core gives us for progress # We need to adjust the value core gives us for progress
progress = status["progress"]/100 try:
self.progress_bar.set_fraction(progress) progress = status["progress"]/100
self.progress_bar.set_text(deluge.common.fpcnt(progress))
self.name.set_text(status["name"]) self.progress_bar.set_fraction(progress)
self.total_size.set_text(deluge.common.fsize(status["total_size"])) self.progress_bar.set_text(deluge.common.fpcnt(progress))
self.num_files.set_text(str(status["num_files"]))
self.pieces.set_text("%s (%s)" % (status["num_pieces"], self.name.set_text(status["name"])
deluge.common.fsize(status["piece_length"]))) self.total_size.set_text(
self.availability.set_text("%.3f" % status["distributed_copies"]) deluge.common.fsize(status["total_size"]))
self.total_downloaded.set_text("%s (%s)" % \ self.num_files.set_text(str(status["num_files"]))
(deluge.common.fsize(status["total_done"]), self.pieces.set_text("%s (%s)" % (status["num_pieces"],
deluge.common.fsize(status["total_payload_download"]))) deluge.common.fsize(status["piece_length"])))
self.total_uploaded.set_text("%s (%s)" % \ self.availability.set_text(
(deluge.common.fsize(status["total_uploaded"]), "%.3f" % status["distributed_copies"])
deluge.common.fsize(status["total_payload_upload"]))) self.total_downloaded.set_text("%s (%s)" % \
self.download_speed.set_text( (deluge.common.fsize(status["total_done"]),
deluge.common.fspeed(status["download_payload_rate"])) deluge.common.fsize(status["total_payload_download"])))
self.upload_speed.set_text( self.total_uploaded.set_text("%s (%s)" % \
deluge.common.fspeed(status["upload_payload_rate"])) (deluge.common.fsize(status["total_uploaded"]),
self.seeders.set_text(deluge.common.fpeer(status["num_seeds"], deluge.common.fsize(status["total_payload_upload"])))
status["total_seeds"])) self.download_speed.set_text(
self.peers.set_text(deluge.common.fpeer(status["num_peers"], deluge.common.fspeed(status["download_payload_rate"]))
status["total_peers"])) self.upload_speed.set_text(
self.eta.set_text(deluge.common.ftime(status["eta"])) deluge.common.fspeed(status["upload_payload_rate"]))
self.share_ratio.set_text("%.3f" % status["ratio"]) self.seeders.set_text(deluge.common.fpeer(status["num_seeds"],
self.tracker.set_text(status["tracker"]) status["total_seeds"]))
self.tracker_status.set_text(status["tracker_status"]) self.peers.set_text(deluge.common.fpeer(status["num_peers"],
self.next_announce.set_text( status["total_peers"]))
deluge.common.ftime(status["next_announce"])) self.eta.set_text(deluge.common.ftime(status["eta"]))
self.torrent_path.set_text(status["save_path"]) self.share_ratio.set_text("%.3f" % status["ratio"])
self.tracker.set_text(status["tracker"])
self.tracker_status.set_text(status["tracker_status"])
self.next_announce.set_text(
deluge.common.ftime(status["next_announce"]))
self.torrent_path.set_text(status["save_path"])
except KeyError, e:
log.debug(e)
def clear(self): def clear(self):
# Only update if this page is showing # Only update if this page is showing