如何更新 Urwid 中 SimpleWalkerList 的内容?

How to update content of SimpleWalkerList in Urwid?

我找不到更新 URWID 中 SimpleWalkerList 内容的正确方法。下面是我尝试根据用户输入生成列表的代码的简化示例:

    import urwid

palette = [('header', 'white', 'black'),
    ('reveal focus', 'black', 'dark cyan', 'standout')]

items = [urwid.Text("foo"),
         urwid.Text("bar"),
         urwid.Text("baz")]

content = urwid.SimpleListWalker([
    urwid.AttrMap(w, None, 'reveal focus') for w in items])

listbox = urwid.ListBox(content)

show_key = urwid.Text("Press any key", wrap='clip')
head = urwid.AttrMap(show_key, 'header')
top = urwid.Frame(listbox, head)

def show_all_input(input, raw):

    show_key.set_text("Pressed: " + " ".join([
        unicode(i) for i in input]))
    return input


def exit_on_cr(input):
    if input in ('q', 'Q'):
        raise urwid.ExitMainLoop()
    elif input == 'up':
        focus_widget, idx = listbox.get_focus()
        if idx > 0:
            idx = idx-1
            listbox.set_focus(idx)
    elif input == 'down':
        focus_widget, idx = listbox.get_focus()
        idx = idx+1
        listbox.set_focus(idx)
    elif input == 'enter':
        pass
    # 
    #how here can I change value of the items list  and display the ne value????
    #
def out(s):
    show_key.set_text(str(s))


loop = urwid.MainLoop(top, palette,
    input_filter=show_all_input, unhandled_input=exit_on_cr)
loop.run()

预期结果是将值从 'foo' 更改为 'oof'(如此简单的字符串操作)。 无论我使用什么方式都不允许我操纵这些值。我是否需要停止循环并从头开始重绘整个屏幕?

提前致谢!

SimpleListWalker 的文档中所述:

contents – list to copy into this object

Changes made to this object (when it is treated as a list) are detected automatically and will cause ListBox objects using this list walker to be updated.

因此,您只需修改列表中的元素即可:

elif input in 'rR':
    _, idx = listbox.get_focus()
    am = content[idx].original_widget
    am.set_text(am.text[::-1])

即使列表中有不可变值,您也可以用新对象替换它们:

elif input in 'rR':
    _, idx = listbox.get_focus()
    w = urwid.Text(content[idx].original_widget.text[::-1])
    content[idx] = urwid.AttrMap(w, None, 'reveal focus')

但由于您没有任何不可变对象妨碍,因此没有必要;第一个版本可以正常工作。

无论哪种方式,如果您按 r,您指向的任何文本都会被反转,例如 foooof。 (当然,如果你使用任何标记,你需要做一些比这更小心的事情,但你没有。)