可扩展的 wxSizer 取决于 window 尺寸

Extendable wxSizer depending on window size

我想使用 wxWidgets 制作一个包含一些按钮和面板的布局。问题是我无法在其他框架的中心创建可扩展的 wxSizer。

我尝试使用一些 wxWidgets 组件,如 wxBoxSizer、wxFlexGridSizer 等。实现这个布局有什么好的建议吗?

window的简单表示是这样的:

您需要将其视为多个嵌套块。

  1. 在最高级别,您有 3 个块 水平排列:右侧矩形、中间矩形和左侧矩形。为此,您需要水平方向的 wxBoxSizer
  2. 在第二层,即中心矩形,您有 3 个块 垂直排列 :顶部矩形、中心矩形和底部矩形。您将需要一个垂直方向的 wxBoxSizer
  3. 为了使中心扩展以填充 space,您需要使用 proportion 参数。

这是一个代码片段示例:

wxBoxSizer* rootsizer = new wxBoxSizer(wxHORIZONTAL);

//TODO: the right side control is whatever you need it to be
wxPanel* rightPanel = new wxPanel(parent, wxID_ANY, wxDefaultPosition, rightPanelSize);
//NOTE the use of 0 as the proportion; this means the right panel will NOT expand
//horizontally; it is fixed in size.  The wxEXPAND flag means it will expand vertically
//to fill
rootsizer->Add(rightpanel, 0, wxEXPAND, 0);

//Our center sizer to contain our center controls
wxBoxSizer* centersizer = new wxBoxSizer(wxVERTICAL);
//NOTE the use of 1 as the proportion; this means the center panel will expand HORIZONTALLY to fill all available space
rootsizer->Add(centersizer, 1, wxEXPAND, 0);

//TODO: whatever control goes on the left
wxPanel* leftpanel = new wxPanel(parent, wxID_ANY, wxDefaultPosition, leftPanelSize);
//Proportion is again 0 to prevent expanding horizontally
rootsizer->Add(leftpanel, 0, wxEXPAND, 0);

//Now the second level

//TODO: whatever control goes on the top
wxPanel* toppanel = new wxPanel(parent, wxID_ANY, wxDefaultPosition, topPanelSize);
//Proportion is 0 to prevent expanding VERTICALLY (because we are now in the center sizer
//which is a vertical sizer
centersizer->Add(toppanel, 0, wxEXPAND, 0);

//Our final depth, the centermost control, is set to a proportion of 1 to fill the space
//vertically
//TODO: whatever is your center control
wxPanel* centerpanel = new wxPanel(parent, wxID_ANY, wxDefaultPosition, wxDefaultSize);
centersizer->Add(centerpanel, 1, wxEXPAND, 0);

//And then the bottom control at proportion 0
wxPanel* bottompanel= new wxPanel(parent, wxID_ANY, wxDefaultPosition, bottomPanelSize);
centersizer->Add(bottompanel, 0, wxEXPAND, 0);

通过组合多个级别的 sizer,以及 wxEXPAND 并适当分配 proportion,您可以获得适当的灵活性。您只需要学会从仅在一个方向上扩展和收缩的控件组的角度来看待它。