Skip to content Skip to sidebar Skip to footer

Python Gtk Drag And Drop - Get Url

I'm creating a small app must be able to receive URLs. If the apps window is open, I should be able to drag a link from a browser and drop it into the app - and the app will save t

Solution 1:

You must fetch the data yourself. Here's a simple working example that will set a label to the url dropped:

#!/usr/local/env pythonimport pygtk
pygtk.require('2.0')
import gtk

defmotion_cb(wid, context, x, y, time):
    l.set_text('\n'.join([str(t) for t in context.targets]))
    context.drag_status(gtk.gdk.ACTION_COPY, time)
    # Returning True which means "I accept this data".returnTruedefdrop_cb(wid, context, x, y, time):
    # Some data was dropped, get the data
    wid.drag_get_data(context, context.targets[-1], time)
    returnTruedefgot_data_cb(wid, context, x, y, data, info, time):
    # Got data.
    l.set_text(data.get_text())
    context.finish(True, False, time)

w = gtk.Window()
w.set_size_request(200, 150)
w.drag_dest_set(0, [], 0)
w.connect('drag_motion', motion_cb)
w.connect('drag_drop', drop_cb)
w.connect('drag_data_received', got_data_cb)
w.connect('destroy', lambda w: gtk.main_quit())
l = gtk.Label()
w.add(l)
w.show_all()

gtk.main()

Solution 2:

To be sure to get only the data of one file or directory on DnD'ing a list of files from your file explorer, you could use something like:

data.get_text().split(None,1)[0]

the code for the "got_data_cb" method would then look like this:

defgot_data_cb(wid, context, x, y, data, info, time):
    # Got data.
    l.set_text(data.get_text().split(None,1)[0])
    context.finish(True, False, time)

This would split the data by any whitespace and returns you the first item.

Solution 3:

The following code is ported from an example of the (old) PyGTK tutorial which I guess inspired the accepted answer, but with pygi:

#!/usr/local/env python
import gi
gi.require_version("Gtk", "3.0")
from gi.repository import Gtk, Gdk

def motion_cb(wid, context, x, y, time):
    Gdk.drag_status(context, Gdk.DragAction.COPY, time)
    return True

def drop_cb(wid, context, x, y, time):
    l.set_text('\n'.join([str(t) for t in context.list_targets()]))
    context.finish(True, False, time)
    return True

w = Gtk.Window()
w.set_size_request(200, 150)
w.drag_dest_set(0, [], 0)
w.connect('drag-motion', motion_cb)
w.connect('drag-drop', drop_cb)
w.connect('destroy', lambda w: Gtk.main_quit())
l = Gtk.Label()
w.add(l)
w.show_all()

Gtk.main()

Solution 4:

The only solution working for me is :

defgot_data_cb(wid, context, x, y, data, info, time):
    # Got data.
    l.set_text(data.get_uris()[0])
    context.finish(True, False, time)

Post a Comment for "Python Gtk Drag And Drop - Get Url"