在我的菜单中,我将数据设置为菜单操作。如何在插槽中提取该数据?或者更好的是,我可以连接一个能够提取动作数据的成员函数(比如第一次连接),而不是连接一个插槽吗?动作数据旨在识别每个动作。作为副节点,我不确定是否只能在一个openNote
- 动作中使用多个菜单操作条目。
void Traymenu::createMainContextMenu() {
QAction *actionNewNote = m_mainContextMenu.addAction("Neue Notiz");
actionNewNote->setIcon(QIcon("C:\\new.ico"));
actionNewNote->setIconVisibleInMenu(true);
QObject::connect(actionNewNote,&QAction::triggered,this,&Traymenu::newNote);
QString menuEntryName;
QAction *openNote;
QVariant noteID;
for (int i = 0; i<m_noteList.count(); i++) {
std::string noteTitle = m_noteList[i].data()->getTitle();
menuEntryName = QString::fromStdString(noteTitle);
openNote = m_mainContextMenu.addAction(menuEntryName);
connect(openNote,SIGNAL(triggered()),this,SLOT(s_showNote()));
noteID.setValue(m_noteList[i].data()->getID());
openNote->setData(noteID);
}
m_mainIcon.setContextMenu(&m_mainContextMenu);
}
插槽:
void Traymenu::s_showNote() {
QObject* obj = sender();
//int noteID = data.toInt();
//Search all notes in noteList for that ID and show it
}
答案 0 :(得分:1)
您可以使用QObject::sender()
获取信号的发件人,然后使用qobject_cast
将发件人指针投射到正确的类型。
void Traymenu::s_showNote()
{
QAction* act = qobject_cast<QAction *>(sender());
if (act != 0)
{
QVariant data = act->data();
int noteID = data.toInt();
showNote(noteID); // isolate showNote logic from "get my ID" stuff
}
}
void Traymenu::showNote(int noteID)
{
// Do the real work here, now that you have the ID ...
}
正如Qt文档警告的那样,“这个功能违反了面向对象的模块化原则。”尽管如此,它仍然是一个相当安全和标准的做法 - 只有一个有一些缺点。特别要注意的是,您承诺使用s_showNote
方法仅在作为插槽访问时才有效(否则发送方为0)。
或者,您可以使用QSignalMapper
类返回指向项目的指针或将唯一标识符(int或QString)与每个项目相关联。
这样的事情:
void Traymenu::createMainContextMenu()
{
signalMapper = new QSignalMapper(this); // (or initialize elsewhere)
// ... (create your newNote here same as before) ...
QString menuEntryName;
QAction *openNote;
int noteID;
for (int i = 0; i<m_noteList.count(); i++) {
std::string noteTitle = m_noteList[i].data()->getTitle();
menuEntryName = QString::fromStdString(noteTitle);
openNote = m_mainContextMenu.addAction(menuEntryName);
noteID = m_noteList[i].data()->getID();
openNote->setData(QVariant(noteID)); // (if you still need data in the QActions)
signalMapper->setMapping(openNote, noteID);
}
connect(signalMapper, SIGNAL(mapped(int)),
this, SLOT(showNote(int)));
m_mainIcon.setContextMenu(&m_mainContextMenu);
}
void Traymenu::showNote(int noteID) {
// Now you have the ID ...
}
这种模式有利于隔离所有丑陋的“等等,如何获取我的标识符?”在一个地方的东西,而不是让初始化代码和插槽功能都具有用于关联动作和ID的代码。
答案 1 :(得分:0)
我会这样写:
void Traymenu::s_showNote() {
QObject* obj = sender();
QAction *action = qobject_cast<QAction *>(obj);
int id = action->data().toInt();
for (int i = 0; i < m_noteList.count(); i++) {
if (m_noteList[i].data()->getID() == id) {
[..]
}
}
}