繁体   English   中英

tkinter SpinBox:更新显示值和关联的StringVar之间的延迟

[英]tkinter SpinBox: delay between updating displayed value and associated StringVar

简介:单击tkinter SpinBox箭头可增加GUI中的数字,但单击该条目后,将检查与关联的StringVar()相对应的条目。

我创建了包含数字条目的复合小部件,当提交条目更改时,这些小部件将调用Model计算。 我不想每次更改条目时都简单地调用模型,因为计算可能很慢。 因此,实际代码对<Tab><Return>等使用绑定(从下面的示例代码中省略),并且仅在此类“提交”上调用模型。

我查看过的SpinBox文档没有揭示绑定到SpinBox本身的向上/向下箭头按钮的方法。 因此,我具有单击和释放鼠标按钮的绑定。 单击并释放时,会将最后存储的值与当前StringVar值进行比较,如果它们不同,则将更新存储值并调用模型。 涉及的关键方法是bind_entryon_presson_releaserefreshentry_is_changedsave_entry (在on_presson_release中有注释掉的代码,可以在按下SpinBox箭头时刷新模型;将其保留以使预期的最终行为清晰可见,但不需要复制该错误)。

from tkinter import *  # technically bad practice, but common


class SpinBoxFrame(Frame):
    """
    A tkinter Frame that holds a labeled entry widget with added behavior.
    EntryFrame will call the function (provided as 'model' in the arguments)
    when a change in the entry's value is committed.

    Arguments (in addition to standard Frame options):
        name-- for widget label and introspection
        array-- a 2D array ( list of lists, [[],[]]
        coord-- the coordinate of the array to be read from/written to
        from_, to, increment: SpinBox arguments (minimum and maximum values,
        and incremental change on each arrow click)
    """

    def __init__(self, parent=None, name='', model=None,
                 array=None, coord=(0, 0),
                 from_=0.00, to=100.00, increment=1,
                 **options):

        Frame.__init__(self, parent, **options)
        self.name = name
        self.model = model
        self.array = array
        self.row, self.col = coord
        self.spinbox_kwargs = {'from_': from_,
                               'to': to,
                               'increment': increment}
        self.initialize()
        self.add_label()
        self.add_entry()
        self.bind_entry()
        self.validate_entry()

    def initialize(self):
        self.value_var = StringVar()
        self.value = self.array[self.row][self.col]
        self.value_var.set(self.value)

    def add_label(self):
        Label(self, text=self.name, bg='white', bd=0).pack(side=TOP)

    def add_entry(self):
        self.entry = Spinbox(self, width=7,
                             validate='key',  # check for number on keypress
                             **self.spinbox_kwargs)
        self.entry.pack(side=TOP, fill=X)
        self.entry.config(textvariable=self.value_var)

    def bind_entry(self):
        self.entry.bind('<FocusOut>', lambda event: self.refresh())
        self.entry.bind('<ButtonPress-1>', lambda event: self.on_press())
        self.entry.bind('<ButtonRelease-1>', lambda event: self.on_release())

    def refresh(self):
        if self.entry_is_changed():
            print('VALUE CHANGE')
            self.save_entry()
            print('Saved new ', self.name, ' value')
            self.model()

    def entry_is_changed(self):
        print('Old value of ', self.name, ' was ', self.value)
        print('Current value of ', self.name, ' is ',
              float(self.value_var.get()))
        return self.value != float(self.value_var.get())

    def save_entry(self):
        if not self.value_var.get():  # if entry left blank,
            self.value_var.set(0.00)  # fill it with zero
        self.value = float(self.value_var.get())
        self.array[self.row][self.col] = self.value

    def on_press(self):
        print('Button pressed')
        # self.loop_refresh()  # uncomment to enable real-time refreshing

    def loop_refresh(self):
        self.refresh()
        self.button_held_job = self._root().after(50, self.loop_refresh)

    def on_release(self):
        print('Button released')
        # uncomment if loop enabled in on_press()
        # self._root().after_cancel(self.button_held_job)
        self.refresh()

    def validate_entry(self):
        """
        The base EntryFrame class assumes the entry contents should be numerical
        """
        # check on each keypress if new result will be a number
        self.entry['validatecommand'] = (self.register(self.is_number), '%P')
        # sound 'bell' if bad keypress
        self.entry['invalidcommand'] = 'bell'

    @staticmethod
    def is_number(entry):
        """
        tests to see if entry is acceptable (either empty, or able to be
        converted to a float.)
        """
        if not entry:
            return True  # Empty string: OK if entire entry deleted
        try:
            float(entry)
            return True
        except ValueError:
            return False

if __name__ == '__main__':
    dummy_array = [[1, 42], [0, 0]]
    root = Tk()


    class TestFrame(Frame):
        """Mimics a toolbar object that holds entry widgets and passes their
        entries on to a model"""
        def __init__(self, parent, **options):
            Frame.__init__(self, parent, **options)

        def call_model(self):
            print('requesting calculation from the model, using:')
            print(dummy_array)

    mainwindow = TestFrame(root)
    mainwindow.pack()

    box1 = SpinBoxFrame(mainwindow, array=dummy_array, coord=(0, 0),
                                 name='Box 1', model=mainwindow.call_model)
    box1.pack(side=LEFT)
    box2 = SpinBoxFrame(mainwindow, array=dummy_array, coord=(0, 1),
                        name='Box 2', model=mainwindow.call_model)
    box2.pack(side=LEFT)

    # workaround fix for Tk problems and mac mouse/trackpad:
    while True:
        try:
            root.mainloop()
            break
        except UnicodeDecodeError:
            pass

单击并释放SpinBox箭头可增加/减小GUI中的值,但对StringVar的检查则表示未更改。 在相同方向上第二次单击同一箭头会导致更改,但是更改为先前的值,而不是当前的GUI值。 因此,StringVar检查始终落后于显示值一倍。 我想知道我的代码运行速度与tkinter主循环更新与SpinBox条目关联的StringVar对象有多快时,是否涉及某些“竞争条件”。 似乎entry_is_changed的调用速度比StringVar的更新速度快。

屏幕截图显示了该错误的性质。 首先,通过单击将左侧窗口小部件从1递增到2,但是值检查仍然指示当前StringVar仍然保持“ 1”。 然后,右小部件增加了两次。 在从42到43的第一个增量之后,没有看到值的变化。 在从43到44的第二次增量之后,看到值43发生了变化。

在此处输入图片说明

我认为<ButtonRelease-1>事件在变量值refresh之前触发refresh 为了避免这种情况,我在on_release调用refresh之前引入了一个小的延迟:

def on_release(self):
    print('Button released')
    # uncomment if loop enabled in on_press()
    # self._root().after_cancel(self.button_held_job)
    self.after(1, self.refresh)

至少在我的计算机上,此1毫秒的延迟足以获取更新的值。

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM