通过基类自动执行窗口编程

Automate window programming through a base class

本文关键字:执行 窗口 编程 基类      更新时间:2023-10-16

我已经为一个应用程序编写了几个窗口,这些窗口都继承了Gtkmm::Window。在这一点上,我想自动化该过程。现在,以下结构很突出:

class MyWindow : public Gtk::Window
{
public:
MyWindow();
virtual ~MyWindow();
//...
private:
void registerLayouts(); // Adds layouts to the window.
void registerWidgets(); // Adds widgets to the layouts.
//...
};

和构造函数:

MyWindow::MyWindow()
{
registerLayouts(); // Cannot be virtual: in constructor.
registerWidgets(); // Cannot be virtual: in constructor.
//...
}

所以问题是每次必须对新窗口进行编程时,所有这些都必须手动完成(即复制/粘贴(,因为registerLayouts()registerWidgets()是在构造时调用的,因此无法virtual

理想情况下,我将有一个可以继承的基类,它将使我可以选择重写这两个方法并处理其余的工作:它将在适当的位置调用这两个方法。

问题是,我还没有找到这个合适的位置。我看过不同的信号处理程序,但似乎没有。

你知道我怎么做吗?

MFC 具有执行类似于我需要的操作的CDialog::OnInitDialog()

您可以将工作委托给单独的类:

class MyWindow : public Gtk::Window
{
//public:  *** EDIT ***
protected:
template <typename LayoutManager>
MyWindow(LayoutManager const& lm)
{
lm.registerLayouts(this);
lm.registerWidgets(this);
}
};
class SubWindow : public MyWindow
{
class LM { /* ... */ };
public:
SubWindow() : MyWindow(LM()) { }
};

(编辑:改进的模式隐藏了子类的布局管理器...

或者,整个类作为模板(可能优于上述(

template <typename LayoutManager>
class MyWindow : public Gtk::Window
{
public:
MyWindow()
{
LayoutManager lm(*this);
lm.registerLayouts();
lm.registerWidgets();
}
};
class SpecificLayoutManager { /* ... */ };
using SpecificWindow = MyWindow<SpecificLayoutManager>;

如果你也需要布局管理器来清理(我自己不熟悉GTK...

template <typename LayoutManager>
class MyWindow : public Gtk::Window
{
LayoutManager lm;
public:
MyWindow() : lm(*this)
{
lm.registerLayouts();
lm.registerWidgets();
}
virtual ~MyWindow()
{
// still access to lm...
}
};

重要的旁注:在所有变体中,我们还没有一个完全构造的派生类——因此在布局管理器中强制转换为后者是不合法的(尝试了奇怪的重复模板模式,但出于完全相同的原因放弃了这个想法:也需要在 base 的构造函数中强制转换为派生(。

编辑以响应评论:有关如何管理子类的其他成员的示例(使用上面的第三个变体,模板类一和布局管理器成员;lm成员现在需要protected(:

class SubWindowLayoutManager
{
template <typename>
friend class MyWindow;
friend class SubWindow;
int someMember;
void registerLayouts() { }
void registerWidgets() { }
};
class SubWindow : public MyWindow<SubWindowLayoutManager>
{
void doSomething()
{
lm.someMember = 77;
}
};

此外,完全没有模板的新变体:

class MyWindow : public Gtk::Window
{
protected:
class LayoutManager
{
public:
virtual void registerLayouts(MyWindow* parent) = 0;
virtual void registerWidgets(MyWindow* parent) = 0;
};
std::unique_ptr<LayoutManager> lm;
MyWindow(std::unique_ptr<LayoutManager> lm)
: lm(std::move(lm))
{
this->lm->registerLayouts(this);
this->lm->registerWidgets(this);
}
};
class SubWindow : public MyWindow
{
class LM : public LayoutManager
{
public:
void registerLayouts(MyWindow* parent) override { }
void registerWidgets(MyWindow* parent) override { }
int someMember;
};
// convenience access function:
inline LM& lm()
{
return *static_cast<LM*>(MyWindow::lm.get());
}
public:
SubWindow() : MyWindow(std::make_unique<LM>()) { }
void doSomething()
{
//static_cast<LM*>(lm.get())->someMember = 77;
lm().someMember = 77;
}
};