python-2.7kivykivy-language

Python/Kivy : call function when double click on label


How to call function when double click on label? Now it call on single click .What use instead of on_ref_press?

layout.add_widget(
    MyLabel(text='[ref=world]' + str('Test') + '[/ref]', padding_x=10,
            size_hint_x=.35, halign='left',
            markup=True, on_ref_press=partial(self.xyz, 10)))

Solution

  • A possible solution is to create the event, in the following code I show an example:

    from kivy.app import App
    
    from kivy.uix.label import Label
    
    
    class DoubleClickableLabel(Label):
        def __init__(self, **kwargs):
            Label.__init__(self, **kwargs)
            self.register_event_type('on_double_press')
            if kwargs.get("on_double_press") is not None:
                self.bind(on_double_press=kwargs.get("on_double_press"))
    
        def on_touch_down(self, touch):
            if touch.is_double_tap:
                self.dispatch('on_double_press', touch)
                return True
            return Label.on_touch_down(self, touch)
    
        def on_double_press(self, *args):
            pass
    
    
    class MyApp(App):
        def build(self):
            label = DoubleClickableLabel(text='Hello world', on_double_press=self.callback)
            return label
    
        def callback(self, *args):
            print("double clicked", args[0])
    
    
    if __name__ == '__main__':
        MyApp().run()