在TextInput

时间:2019-03-29 14:46:20

标签: python kivy

有没有一种方法可以禁用TextInput小部件中的文本换行? 也就是说,我仍然希望有换行符,但是我不想在段落内换行。 所以看来multiline=False不是我要寻找的东西

更新:我的意思是Windows(例如Windows 7)中的Microsoft记事本(格式-自动换行)中有“自动换行”选项。我想在kivy TextInput中禁用此选项

1 个答案:

答案 0 :(得分:1)

我没有Windows,但这听起来像是水平滚动。如果将TextInput设置为False,默认情况下multiline会进行水平滚动,但是当multiline为True时,则不会进行水平滚动。因此,这是一种在TextInput为True时将ScrollView放在multiline内以提供水平滚动的技巧:

from kivy.app import App
from kivy.lang import Builder
from kivy.properties import NumericProperty
from kivy.uix.scrollview import ScrollView
from kivy.uix.textinput import TextInput


class MyTextInput(TextInput):
    minimum_width = NumericProperty(1)

    def on_cursor(self, instance, newPos):
        # determine scroll position of parent ScrollView if multiline is True
        if not (isinstance(self.parent, ScrollView) and self.multiline):
            return super(MyTextInput, self).on_cursor(instance, newPos)
        if newPos[0] == 0:
            self.parent.scroll_x = 0
        else:
            over_width = self.width - self.parent.width
            if over_width <= 0.0:
                return super(MyTextInput, self).on_cursor(instance, newPos)
            view_start = over_width * self.parent.scroll_x
            view_end = view_start + self.parent.width
            offset = self.cursor_offset()
            desired_view_start = offset - 5
            desired_view_end = offset + self.padding[0] + self.padding[2] + self.cursor_width + 5
            if desired_view_start < view_start:
                self.parent.scroll_x = max(0, desired_view_start / over_width)
            elif desired_view_end > view_end:
                self.parent.scroll_x = min(1, (desired_view_end - self.parent.width) / over_width)
        return super(MyTextInput, self).on_cursor(instance, newPos)

    def on_text(self, instance, newText):
        # calculate minimum width
        width_calc = 0
        for line_label in self._lines_labels:
            width_calc = max(width_calc, line_label.width + 20)   # add 20 to avoid automatically creating a new line
        self.minimum_width = width_calc


theRoot = Builder.load_string('''
ScrollView:
    id: scroller
    effect_cls: 'ScrollEffect'  # keeps from scrolling to far
    MyTextInput:
        size_hint: (None, 1)
        width: max(self.minimum_width, scroller.width)
''')

class TI_in_SV(App):
    def build(self):
        return theRoot

TI_in_SV().run()

请注意,MyTextInput扩展了TextInput

相关问题