wxpython如何将按钮标签显示为xlwt

时间:2013-10-08 09:11:19

标签: wxpython xlwt

当我按下按钮时,我想将按钮标签打印到Excel中,创建了excel文件,但我无法发送任何信息!可以帮助我,或者我做错了吗?

import wx
from xlwt import *

w = Workbook()
ws1 = w.add_sheet('sheet 1')

class MyFrame(wx.Frame):

    def __init__(self,parent,id):
        wx.Frame.__init__(self,parent,id,'Button to Excel', size = (300,300))
        panel=wx.Panel(self)

        extBtn = wx.Button(panel, label="Exit",pos=(100,150))
        extBtn.Bind(wx.EVT_BUTTON, self.onClose)

        btn = wx.Button(panel,label = "Mem 1",pos=(100,100))
        btn.Bind =(wx.EVT_BUTTON,self.onButton)

    def onClose(self, event):
        self.Close()

    def onButton(self,event):
        print self.GetLabel() in ws1

if __name__ == '__main__':
    app=wx.PySimpleApp()
    frame=MyFrame(parent=None,id=-1)
    frame.Show()
    app.MainLoop()
    w.save('a.xls')

1 个答案:

答案 0 :(得分:1)

你有很多问题。首先,您错误地绑定第二个按钮。它应该与第一个绑定方式相同。因此,将绑定代码更改为以下内容:

btn.Bind(wx.EVT_BUTTON, self.onButton)

请注意,不再有等号。

接下来在 onButton 方法中,您需要将数据写入Excel文件。 Python的“in”运算符不会这样做。它用于测试项目是否在集合中。有关详细信息,请参阅docs

相反,您需要使用xlwt的 write 方法将标签写入单元格。这是一个完整的例子:

import wx
from xlwt import *

w = Workbook()
ws1 = w.add_sheet('sheet 1')

class MyFrame(wx.Frame):

    def __init__(self,parent,id):
        wx.Frame.__init__(self,parent,id,'Button to Excel', size = (300,300))
        panel=wx.Panel(self)

        extBtn = wx.Button(panel, label="Exit",pos=(100,150))
        extBtn.Bind(wx.EVT_BUTTON, self.onClose)

        btn = wx.Button(panel,label = "Mem 1",pos=(100,100))
        btn.Bind(wx.EVT_BUTTON, self.onButton)

    def onClose(self, event):
        w.save('a.xls')
        self.Close()

    def onButton(self,event):
        btn = event.GetEventObject()
        lbl = btn.GetLabel()
        ws1.write(0, 0, lbl)


if __name__ == '__main__':
    app=wx.PySimpleApp()
    frame=MyFrame(parent=None,id=-1)
    frame.Show()
    app.MainLoop()

请注意,我已将保存移至onClose函数,因为我认为这是一个更好的地方。