2

我正在学习使用 wxWidgets 和 Python,但是在弄清楚如何在框架内调整小部件的大小时遇到​​了一些麻烦。

我的印象是,我可以通过在调用构造函数时给它们一个自定义 size=(x,y) 值来设置各种小部件的大小。这段代码是从 wxPython 的示例中复制并粘贴出来的,我已将 value="example",pos=(0,0) 和 size=(100,100) 值添加到 wx.TextCtrl() 构造函数中,但是当我运行时在这个程序中,文本控件占据了整个 500x500 帧。我不知道为什么,如果你能帮我让它工作,我会很感激。

import wx

class MainWindow(wx.Frame):
    def __init__(self, parent, title):
        wx.Frame.__init__(self, parent, title=title, size=(500,500))
        self.control = wx.TextCtrl(self,-1,value="example",pos=(0,0),size=(100,100))
        self.CreateStatusBar() # A Statusbar in the bottom of the window

        # Setting up the menu.
        filemenu= wx.Menu()

        # wx.ID_ABOUT and wx.ID_EXIT are standard IDs provided by wxWidgets.
        filemenu.Append(wx.ID_ABOUT, "&About"," Information about this program")
        filemenu.AppendSeparator()
        filemenu.Append(wx.ID_EXIT,"E&xit"," Terminate the program")

        # Creating the menubar.
        menuBar = wx.MenuBar()
        menuBar.Append(filemenu,"&File") # Adding the "filemenu" to the MenuBar
        self.SetMenuBar(menuBar)  # Adding the MenuBar to the Frame content.
        self.Show(True)

app = wx.App(False)
frame = MainWindow(None, "Sample editor")
app.MainLoop()
4

2 回答 2

2

请阅读手册中的sizers 概述以了解如何正确调整小部件的大小。

至于您的特定示例,这是一个例外,因为它wxFrame总是调整其唯一窗口的大小以填充其整个客户区 - 只是因为这是您几乎总是想要的。然而,通常这个唯一的窗口是一个wxPanel包含其他控件并使用大小调整器来定位它们的窗口。

TL;DR:你永远不应该使用绝对定位,即以像素为单位指定位置。

于 2013-11-09T21:37:57.050 回答
1

你肯定需要阅读这本书:wxPython 2.8 Application Development Cookbook

阅读 ->第 7 章:窗口布局和设计


在您的代码中,添加小部件持有者:面板。

import wx

class MainWindow(wx.Frame):
    def __init__(self, parent, title):
        wx.Frame.__init__(self, parent, title=title, size=(500,500))

        panel = wx.Panel(self)
        self.control = wx.TextCtrl(panel,-1,value="example",pos=(0,0),size=(100,100))
        self.CreateStatusBar() # A Statusbar in the bottom of the window

        # Setting up the menu.
        filemenu= wx.Menu()

        # wx.ID_ABOUT and wx.ID_EXIT are standard IDs provided by wxWidgets.
        filemenu.Append(wx.ID_ABOUT, "&About"," Information about this program")
        filemenu.AppendSeparator()
        filemenu.Append(wx.ID_EXIT,"E&xit"," Terminate the program")

        # Creating the menubar.
        menuBar = wx.MenuBar()
        menuBar.Append(filemenu,"&File") # Adding the "filemenu" to the MenuBar
        self.SetMenuBar(menuBar)  # Adding the MenuBar to the Frame content.
        self.Show(True)

app = wx.App(False)
frame = MainWindow(None, "Sample editor")
app.MainLoop()

在此处输入图像描述

于 2013-11-10T19:14:28.597 回答