我正在尝试构建一个以(qt)Type作为参数并使用它来查找子项的函数。我的功能如下:
template <typename QType>
void MyClass::activateElements(QWidget *widget, QType t)
{
QList<QType *> buttons = widget->findChildren(t);
foreach( QType *button, buttons )
{
buttons->setEnabled(true);
}
}
我也试过
template <typename QType>
void MyClass::activateElements(QWidget *widget, QType)
{
QList<QType *> buttons = (* widget).findChildren<QType *>();
foreach( QType *button, buttons )
{
button->setEnabled(true);
}
}
我实例化了在另一个类中使用此函数的类的对象。在那里我尝试使用它:
QDoubleSpinBox x;
object_of_my_class->activateElements(correctWidget, x);
此时我卡住了,因为我收到以下错误:
error: ‘QDoubleSpinBox::QDoubleSpinBox(const QDoubleSpinBox&)’ is private
Q_DISABLE_COPY(QDoubleSpinBox)
我如何处理这个问题,QDoubleSpinBox和其他人是私有的?我是否接触过如何构建错误的函数,或者我只是错误地使用它?有没有办法做到这一点?
答案 0 :(得分:2)
看起来你根本不需要类型的对象,只需要类型本身。在这种情况下,指定模板参数将是可行的方法:
template <typename QType>
void MyClass::activateElements(QWidget *widget)
{
QList<QType *> buttons = (* widget).findChildren<QType *>();
foreach( QType *button, buttons )
{
button->setEnabled(true);
}
}
// Usage:
object_of_my_class->activateElements<QDoubleSpinBox>(correctWidget);
我就是这样做的,因为它很好地表达了意图。
但是,如果您确实想要从现有对象启用类型扣除,请通过引用传递它以避免(禁止)副本:
template <typename QType>
void MyClass::activateElements(QWidget *widget, const QType &)
{
QList<QType *> buttons = (* widget).findChildren<QType *>();
foreach( QType *button, buttons )
{
button->setEnabled(true);
}
}
// Usage:
QDoubleSpinBox x;
object_of_my_class->activateElements(correctWidget, x);