我正在和我的一个朋友一起玩游戏,现在我们有点陷入困境。我们需要将两个参数传递给一个槽。我想使用一个插槽用于两个按钮,其中一个按钮将用于添加,另一个用于减少。这将是其中一个参数,0(用于减去)或1(用于添加)。另一个参数将是一种ID,因为我将有几组这两个按钮。我在我的代码中使用了其他几个插槽,在这些插槽中我一直在使用QSignalMapper:
Button * button = new Button(argument1, argument2, argument3);
int num = 1;
QSignalMapper * signalMapper = new QSignalMapper(this);
connect(button, SIGNAL(clicked()), signalMapper, SLOT(map)));
signalMapper->setMapping(button, num);
connect(signalMapper, SIGNAL(mapped(int)), this, SLOT(mySlot(int)));
scene->addItem(button);
有什么方法可以将两个参数传递给一个插槽吗?
答案 0 :(得分:4)
改为使用sender()
功能:
void mySlot()
{
if (sender() == addButton)
...
else
...
}
在您的情况下,您可以从int
中删除mySlot
参数并执行以下操作:
connect(addButton, SIGNAL(clicked()), someObject, SLOT(mySlot()));
connect(subButton, SIGNAL(clicked()), someObject, SLOT(mySlot()));
然后使用sender
函数确定来源。
要直接回答您的问题,是的,您可以定义一个最多接受8个参数(前C ++ 11)或任何数字(C ++ 11或更高版本)的插槽。问题是它们必须连接到具有多个或更多参数的信号。
例如,如果您的信号带有签名notify(int, bool, QString)
,则可以将其连接到具有以下任何签名的插槽:
someSlot(int)
someSlot(int, bool)
someSlot(int, bool, QString)
答案 1 :(得分:3)
QSignalMapper
只有一个参数。但您可以使用以下方法之一将按钮拆分为多个集:
QString
映射,您可以使用某个标记从按钮编号中分割集合编号,即1;2
(第一组,按钮ID = 2),使用QString::split()
。 插槽示例:
void mySLot (const QString& id)
{
QStringList tokens = id.split (";");
if (tokens.count () == 2) {
int setId = tokens.at(0).toInt ();
int buttonId = tokens.at(1).toInt ();
/* Your code goes here */
}
}
答案 2 :(得分:1)
[完全修改后的答案]
因此,我们有一个Button对象,需要在一个插槽中传递多个参数。
class Button
{
Q_OBJECT
public:
int m_arg1, m_arg2, m_arg3;
Button(int arg1, int arg2, int arg3)
{
m_arg1 = arg1;
m_arg2 = arg2;
m_arg3 = arg3;
};
/// some function that emits a click signal with 2 of my arguments
void doSomething()
{
emit clicked (m_arg2, m_arg3);
}
signals:
void clicked(int, int);
};
然后,稍后:
Button *button = new Button(val1, val2, val3);
connect(button, SIGNAL(clicked(int, int)), this, SLOT(mySlot(int, int)));
MyReceiver::mySlot(int a1, int a2)
{
// see who called me, then use arguments
if (addButton == sender())
{
x = a1 + a2;
}
else if (subButton == sender())
{
x= a1 - a2;
}
}