我想这就是你要找的吗?
import PySimpleGUI as sg
radio_choices = ['a', 'b', 'c']
layout = [
[sg.Text('My layout')],
[sg.Radio(text, 1) for text in radio_choices],
[sg.Button('Read')]
]
window = sg.Window('Radio Button Example', layout)
while True: # Event Loop
event, values = window.Read()
if event is None:
break
print(event, values)
它产生这个窗口:
有多种“构建”layout
变量的方法。以下是产生相同窗口的其他几个组合:
第一个一次构建一行,然后最后将它们加在一起
# Build Layout
top_part = [[sg.Text('My layout')]]
radio_buttons = [[sg.Radio(x,1) for x in radio_choices]]
read = [[sg.Button('Read')]]
layout = top_part + radio_buttons + read
这个也一次构建一行,然后将它们添加在一起,但它在单个语句中而不是 4 个语句中完成。
# Build layout
layout = [[sg.Text('My layout')]] + \
[[sg.Radio(text, 1) for text in radio_choices]] + \
[[sg.Button('Read')]]
如果您想每行添加一个按钮,那么也有几种方法可以做到这一点。如果您使用的是 Python 3.6,那么这将起作用:
layout = [
[sg.Text('My layout')],
*[[sg.Radio(text, 1),] for text in radio_choices],
[sg.Button('Read')]
]
“构建布局”技术适用于上述 * 运算符无效的系统。
radio_choices = ['a', 'b', 'c']
radio = [[sg.Radio(text, 1),] for text in radio_choices]
layout = [[sg.Text('My layout')]] + radio + [[sg.OK()]]
当与窗口代码和事件循环结合时,这两种变化都会产生一个如下所示的窗口: