Drag and Drop widgets tkinter

后端 未结 2 1133
暖寄归人
暖寄归人 2020-12-06 21:49

I am trying to make a Python program in which you can move around widgets.

This is my code:

import tkinter as tk 
main = tk.Tk()
notesFrame = tk.Fram         


        
相关标签:
2条回答
  • 2020-12-06 22:29

    The behavior you're observing is caused by the fact that the event's coordinates are relative to the dragged widget. Updating the widget's position (in absolute coordinates) with relative coordinates obviously results in chaos.

    To fix this, I've used the .winfo_x() and .winfo_y() functions (which allow to turn the relative coordinates into absolute ones), and the Button-1 event to determine the cursor's location on the widget when the drag starts.

    Here's a function that makes a widget draggable:

    def make_draggable(widget):
        widget.bind("<Button-1>", on_drag_start)
        widget.bind("<B1-Motion>", on_drag_motion)
    
    def on_drag_start(event):
        widget = event.widget
        widget._drag_start_x = event.x
        widget._drag_start_y = event.y
    
    def on_drag_motion(event):
        widget = event.widget
        x = widget.winfo_x() - widget._drag_start_x + event.x
        y = widget.winfo_y() - widget._drag_start_y + event.y
        widget.place(x=x, y=y)
    

    It can be used like so:

    main = tk.Tk()
    
    frame = tk.Frame(main, bd=4, bg="grey")
    frame.place(x=10, y=10)
    make_draggable(frame)
    
    notes = tk.Text(frame)
    notes.pack()
    

    If you want to take a more object-oriented approach, you can write a mixin that makes all instances of a class draggable:

    class DragDropMixin:
        def __init__(self, *args, **kwargs):
            super().__init__(*args, **kwargs)
    
            make_draggable(self)
    

    Usage:

    # As always when it comes to mixins, make sure to
    # inherit from DragDropMixin FIRST!
    class DnDFrame(DragDropMixin, tk.Frame):
        pass
    
    # This wouldn't work:
    # class DnDFrame(tk.Frame, DragDropMixin):
    #     pass
    
    main = tk.Tk()
    
    frame = DnDFrame(main, bd=4, bg="grey")
    frame.place(x=10, y=10)
    
    notes = tk.Text(frame)
    notes.pack()
    
    0 讨论(0)
  • 2020-12-06 22:35

    Tkinter has a module for this, documented in the module docstring. It was expected that it would be replaced by a tk dnd module, but this has not happened. I have never tried it. Searching SO for [tkinter] dnd returns this page. Below is the beginning of the docstring.

    >>> from tkinter import dnd
    >>> help(dnd)
    Help on module tkinter.dnd in tkinter:
    
    NAME
        tkinter.dnd - Drag-and-drop support for Tkinter.
    
    DESCRIPTION
        This is very preliminary.  I currently only support dnd *within* one
        application, between different windows (or within the same window).
    [snip]
    
    0 讨论(0)
提交回复
热议问题