web-dev-qa-db-ja.com

Qtでイベントを右クリックしてコンテキストメニューを開く

MousePressEventを呼び出すコードのセグメントがあります。左クリックでカーソルの座標を出力し、右クリックで同じことを行いますが、右クリックでコンテキストメニューを開くこともできます。私がこれまでに持っているコードは次のとおりです。

void plotspace::mousePressEvent(QMouseEvent*event)
{
    double trange = _timeonright - _timeonleft;
    int twidth = width();
    double tinterval = trange/twidth;

    int xclicked = event->x();

    _xvaluecoordinate = _timeonleft+tinterval*xclicked;



    double fmax = Data.plane(X,0).max();
    double fmin = Data.plane(X,0).min();
    double fmargin = (fmax-fmin)/40;
    int fheight = height();
    double finterval = ((fmax-fmin)+4*fmargin)/fheight;

    int yclicked = event->y();

    _yvaluecoordinate = (fmax+fmargin)-finterval*yclicked;

    cout<<"Time(s): "<<_xvaluecoordinate<<endl;
    cout<<"Flux: "<<_yvaluecoordinate<<endl;
    cout << "timeonleft= " << _timeonleft << "\n";

    returncoordinates();

    emit updateCoordinates();

    if (event->button()==Qt::RightButton)
    {
            contextmenu->setContextMenuPolicy(Qt::CustomContextMenu);

            connect(contextmenu, SIGNAL(customContextMenuRequested(const QPoint&)),
            this, SLOT(ShowContextMenu(const QPoint&)));

            void A::ShowContextMenu(const QPoint &pos) 
            {
                QMenu *menu = new QMenu;
                menu->addAction(tr("Remove Data Point"), this,  
                SLOT(test_slot()));

                menu->exec(w->mapToGlobal(pos));
            }

    }   

}

私の問題は本質的に非常に基本的なものであり、「contextmenu」が適切に宣言されていないことを知っています。私はこのコードを多くのソースから集めましたが、c ++で何かを宣言する方法がわかりません。どんなアドバイスも大歓迎です。

16
ahle6481

customContextMenuRequestedは、ウィジェットのcontextMenuPolicyがQt::CustomContextMenu、およびユーザーはウィジェットのコンテキストメニューを要求しました。そのため、ウィジェットのコンストラクターでsetContextMenuPolicyを呼び出し、customContextMenuRequestedをスロットに接続してカスタムコンテキストメニューを作成できます。

plotspaceのコンストラクター内:

this->setContextMenuPolicy(Qt::CustomContextMenu);

connect(this, SIGNAL(customContextMenuRequested(const QPoint &)), 
        this, SLOT(ShowContextMenu(const QPoint &)));

ShowContextMenuスロットは、次のようなplotspaceのクラスメンバーである必要があります。

void plotspace::ShowContextMenu(const QPoint &pos) 
{
   QMenu contextMenu(tr("Context menu"), this);

   QAction action1("Remove Data Point", this);
   connect(&action1, SIGNAL(triggered()), this, SLOT(removeDataPoint()));
   contextMenu.addAction(&action1);

   contextMenu.exec(mapToGlobal(pos));
}
41
Nejat