wxpython wx.combobox 保存 wx.StaticText 查看帮助我

wxpython wx.combobox save wx.StaticText view help me

import wx
import sqlite3

class Frame(wx.Frame):
    def __init__(self):
        wx.Frame.__init__(self, None)
        self.panel = wx.Panel(self)
        self.text = wx.StaticText(self.panel)

        self.conn = sqlite3.connect("test.db")
        self.cursor =  self.conn.cursor()

        self.autoRefersh()

    def autoRefersh(self):
        self.LoadList()
        wx.CallLater(1000, self.autoRefersh)

    def LoadList(self):
        self.cursor.execute("SELECT *FROM CLINIC1")
        for date1 in self.cursor: pass
        self.staticText2_1 = wx.StaticText(self.panel, label=date1[1], style=wx.ALIGN_CENTER, pos=(100,100))

if __name__ == '__main__':
    app = wx.App()
    frame = Frame()
    frame.Show()
    app.MainLoop()

combobox data sqlite3 save in why panel show 为什么它看起来不同的错误?? 我不知道为什么会这样。

您错过了关键的一步,即获取数据本身。
您正在使用游标 object 而不是游标返回的数据。

def LoadList(self):
    self.cursor.execute("SELECT *FROM CLINIC1")
    data = self.cursor.fetchall()
    for date1 in data: pass
    self.staticText2_1 = wx.StaticText(self.panel, label=date1[1], style=wx.ALIGN_CENTER, pos=(100,100))

因为你 "passing" 在你的 for loop 中,也许你真正想要的只是一条记录,在这种情况下

data = self.cursor.fetchone()

并放下 for loop

更好的是,阅读教程

https://www.blog.pythonlibrary.org/2012/07/18/python-a-simple-step-by-step-sqlite-tutorial/

您在问题的标题中提到了组合框,因此我假设您想用组合框替换静态文本。下面应该让你开始,我将留下 wx.EVT_COMBOBOX 事件绑定供你添加,因为当你 select 一个项目时你将需要它来做一些事情。

import wx
import sqlite3

class Frame(wx.Frame):
    def __init__(self):
        wx.Frame.__init__(self, None)
        self.selected_data=[]
        self.panel = wx.Panel(self)
        self.combo = wx.ComboBox(self.panel,-1,choices=self.selected_data, size=(130,30))

        self.conn = sqlite3.connect("test.db")
        self.cursor =  self.conn.cursor()
        self.combo.SetValue("Choose an Item")
        self.autoRefresh()

    def autoRefresh(self):
        self.LoadList()

    def LoadList(self):
        self.combo.Clear()
        self.cursor.execute("SELECT * FROM CLINIC1")
        data = self.cursor.fetchall()
        for date1 in data:
            self.selected_data.append(date1[1])
        for i in self.selected_data:
            self.combo.Append(i)

if __name__ == '__main__':
    app = wx.App()
    frame = Frame()
    frame.Show()
    app.MainLoop() 

编辑:
它应该是这样的。