Reputation: 11585
Here the code directly, worth thousand words of explaining it.
#!/usr/bin/env python2
import wx
class TestDialog(wx.Dialog):
def __init__self(*arg, **args):
wx.Dialog.__init__(self, parent, id, title, size=(350,300))
sizer = self.CreateTextSizer('My Buttons')
# bad()
sizer = wx.BoxSizer(wx.VERTICAL)
sizer.Add(wx.Button(self, -1, 'Button'), 0, wx.ALL, 5)
sizer.Add(wx.Button(self, -1, 'Button'), 0, wx.ALL, 5)
sizer.Add(wx.Button(self, -1, 'Button'), 0, wx.ALL, 5)
sizer.Add(wx.Button(self, -1, 'Button'), 0, wx.ALL|wx.ALIGN_CENTER, 5)
sizer.Add(wx.Button(self, -1, 'Button'), 0, wx.ALL|wx.EXPAND, 5)
sizer.Fit(self)
self.SetSizer(sizer)
def InitUI(self):
pnl = wx.Panel(self)
vbox = wx.BoxSizer(wx.VERTICAL)
btn = wx.Button(pnl, label='Ok')
vbox.Add(btn, 1, flag=wx.LEFT)
pnl.SetSizer(vbox)
def OnClose(self):
self.Destroy()
class MyFrame(wx.Frame):
def __init__(self, parent, id, title):
wx.Frame.__init__(self, parent, id, title, size=(550,500))
panel = wx.Panel(self, -1)
wx.Button(panel, 1, 'Show Custom Dialog', (100,100))
self.Bind (wx.EVT_BUTTON, self.OnShowCustomDialog)
def OnShowCustomDialog(self, event):
dia = TestDialog(self, -1, 'buttons')
dia.ShowModal()
# dia.Destroy()
if __name__ == "__main__":
try:
app = wx.App()
frame = MyFrame(None, wx.ID_ANY, 'dialog')
frame.Show()
# import wx.lib.inspection
# wx.lib.inspection.InspectionTool().Show()
app.MainLoop()
except:
import sys
import traceback
xc = traceback.format_exception(*sys.exc_info())
wx.MessageBox(''.join(xc))
The main window is shown, but nothing seems to execute after the dialog is shown. Even uncommenting the bad()
call does not seem to show anything.
Upvotes: 0
Views: 1500
Reputation: 4304
Change this:
class TestDialog(wx.Dialog):
def __init__self(*arg, **args):
to this:
class TestDialog(wx.Dialog):
def __init__(self, parent, id, title)
I guess that's a typo on your part. Change it to be like the above, you get the results you want. The __init__
method of a class will run automatically when you create an instance. An __init__self
method will never run unless explicitly called.
Upvotes: 2