Kivy:未知类 <ListView> 错误代码

标签 kivy kivy-language

这是主要的.py

from kivy.app import App
    
    
class WeatherApp(App):
    pass
    
    
if __name__ == '__main__':
    WeatherApp().run()
天气.kv 是:
AddLocationForm:
    
<AddLocationForm@BoxLayout>:
    orientation: 'vertical'
    BoxLayout:
        TextInput:
        Button:
            text: "Search"
        Button:
            text: "Current Location"
    ListView:
        item_strings: ["Palo Alto, MX", "Palo Alto, US"]
它似乎无法识别 ListView 。我已经看到其他使用带有“from kivy.uix.listview import ListView”的 ListView ,但这也不起作用,我不知道为什么。
kivy.factory.FactoryException:未知类

最佳答案

Kivy ListView » 已弃用

最近发布的稳定版 Kivy 1.11.0 中不再定义 ListView。

Kivy RecycleView » MVC ( Model-View-Controller )

The view is generatad by processing the data, essentially a list of dicts, and uses these dicts to generate instances of the viewclass as required. Its design is based on the MVC (Model-view-controller) pattern.

  • Model: The model is formed by data you pass in via a list of dicts.
  • View: The View is split across layout and views and implemented using adapters.
  • Controller: The controller determines the logical interaction and is implemented by RecycleViewBehavior.


解决方案

要创建可选项目的 RecycleView,将以下类作为 viewclass 的一部分实现.该项目通常是一个小部件,例如Label , Button ,或布局中的一组/行小部件( BoxLayoutGridLayout )。

View 类
  • Selectabel 回收布局类,例如SelectableRecycleBoxLayout() , 或 SelectableRecycleGridLayout()
  • 可选择的小部件类,例如SelectableLabel() , SelectableButton() , 或 SelectableRow()

  • 数据
  • data 创建一个字典列表

  • 例子

    下面的示例通过使用 RecycleView 说明了 ListView 的等效性。 viewclass是可选的 RecycleBoxLayoutLabel小部件。该应用程序正在使用 OpenWeatherMapAPI检索英国伦敦的样本天气数据(英国)。

    笔记:

    要使用真正的 API 点调用 OpenWeatherMap,您需要一个 API key (APPID) .

    主文件
    from kivy.app import App
    from kivy.uix.boxlayout import BoxLayout
    from kivy.uix.recycleview.views import RecycleDataViewBehavior
    from kivy.uix.label import Label
    from kivy.properties import BooleanProperty, ObjectProperty
    from kivy.uix.recycleboxlayout import RecycleBoxLayout
    from kivy.uix.behaviors import FocusBehavior
    from kivy.uix.recycleview.layout import LayoutSelectionBehavior
    from kivy.network.urlrequest import UrlRequest
    from kivy.lang import Builder
    
    import json
    
    
    class SelectableRecycleBoxLayout(FocusBehavior, LayoutSelectionBehavior,
                                     RecycleBoxLayout):
        ''' Adds selection and focus behaviour to the view. '''
    
    
    class SelectableLabel(RecycleDataViewBehavior, Label):
        ''' Add selection support to the Label '''
        index = None
        selected = BooleanProperty(False)
        selectable = BooleanProperty(True)
    
        def refresh_view_attrs(self, rv, index, data):
            ''' Catch and handle the view changes '''
            self.index = index
            return super(SelectableLabel, self).refresh_view_attrs(
                rv, index, data)
    
        def on_touch_down(self, touch):
            ''' Add selection on touch down '''
            if super(SelectableLabel, self).on_touch_down(touch):
                return True
            if self.collide_point(*touch.pos) and self.selectable:
                return self.parent.select_with_touch(self.index, touch)
    
        def apply_selection(self, rv, index, is_selected):
            ''' Respond to the selection of items in the view. '''
            self.selected = is_selected
    
    
    class AddLocationForm(BoxLayout):
        search_input = ObjectProperty()
        search_results = ObjectProperty()
    
        def search_location(self):
            search_template = "https://samples.openweathermap.org/data/2.5/find?q={}&appid=b6907d289e10d714a6e88b30761fae22"
            # search_template = "https://api.openweathermap.org/data/2.5/find?q={}&typle=like&appid=xyz"    # Replace 'xyz' with your API Key (APPID)
            search_url = search_template.format(self.search_input.text)
            request = UrlRequest(search_url, self.found_location)
    
        def found_location(self, request, data):
            data = json.loads(data.decode()) if not isinstance(data, dict) else data
            cities = ["{} ({})".format(d['name'], d['sys']['country']) for d in data['list']]
            self.search_results.data = [{'text': str(x)} for x in cities]
            print(f"self.search_results.data={self.search_results.data}")
    
    
    class WeatherRoot(BoxLayout):
        pass
    
    
    class TestApp(App):
        title = "Weather App"
    
        def build(self):
            return Builder.load_file("main.kv")
    
    
    if __name__ == '__main__':
        TestApp().run()
    

    主文件
    WeatherRoot:
    
    <WeatherRoot>:
        AddLocationForm:
    
    <SelectableLabel>:
        # Draw a background to indicate selection
        canvas.before:
            Color:
                rgba: (1, 0, 0, 1) if self.selected else (.0, 0.9, .1, .3)
            Rectangle:
                pos: self.pos
                size: self.size
            Color:
                rgba: (0, 0.9, .1, .3)
            Rectangle:
                pos: self.pos
                size: self.size
    
    <AddLocationForm>:
        orientation: "vertical"
    
        search_input: search_input
        search_results: search_results_list
    
        BoxLayout:
            height: "40dp"
            size_hint_y:None
    
            TextInput:
                id: search_input
                size_hint_x: 50
                focus: True
                multiline: False
                hint_text: 'Your city name'
                on_text_validate: root.search_location()
    
    
            Button:
                text: "Search"
                size_hint_x: 25
                on_press: root.search_location()
    
            Button:
                text: "Current Location"
                size_hint_x: 25
    
        RecycleView:
            id: search_results_list
    
            viewclass: 'SelectableLabel'
    
            SelectableRecycleBoxLayout:
                default_size: None, dp(26)
                default_size_hint: 1, None
                size_hint_y: None
                height: self.minimum_height
                orientation: 'vertical'
                multiselect: True
                touch_multiselect: True
    

    输出

    Data - Unselected
    Data - Selected

    关于Kivy:未知类 <ListView> 错误代码,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/56601384/

    相关文章:

    python - Kivy - 保存对象的值在弹出窗口中更改,因此关闭它后,当我再次打开弹出窗口时,它会以新值打开

    python - 切换 kivy 小部件

    python - kivy python 小部件实例或所有小部件

    python - 我如何从线程中更新 Kivy 元素?

    python - 标签 : Entering long text onto screen

    android - Kivy - 如何从 ListView 调用函数?

    Python/MySQL 时间

    python - Kivy 在布局末尾添加小部件

    python - kivy - 从 kv 到 py 的文本输入 - 导入数据

    KV lang 文件中的 SVG