Disconnecting lambda functions in Qt5

前端 未结 3 1949
攒了一身酷
攒了一身酷 2020-12-08 09:35

Is it possible to disconnect a lambda function? And if \"yes\", how?

According to https://qt-project.org/wiki/New_Signal_Slot_Syntax I need to use a QMetaObjec

相关标签:
3条回答
  • 2020-12-08 10:19

    The context solution from ecatmur's answer is the easiest option, but I think the use of the smart pointer makes it harder to understand. I'd use a raw pointer instead:

    QObject *context = new QObject(this);
    connect(sender, &Sender::signal, context, [context] {
      delete context;
      // ...
    });
    
    0 讨论(0)
  • 2020-12-08 10:19

    You can define the conn as a private variable in the .h file. QMetaObject::Connection conn.
    in the lambda function, you can use conn and disconnect it.

     conn = QObject::connect(m_sock, &QLocalSocket::readyRead, [=](){
        QObject::disconnect(conn); //<---- Won't work because conn isn't captured
    
        //do some stuff with sock, like sock->readAll();
    }
    
    0 讨论(0)
  • 2020-12-08 10:31

    If you capture conn directly, you're capturing an uninitialised object by copy, which results in undefined behaviour. You need to capture a smart pointer:

    std::unique_ptr<QMetaObject::Connection> pconn{new QMetaObject::Connection};
    QMetaObject::Connection &conn = *pconn;
    conn = QObject::connect(m_sock, &QLocalSocket::readyRead, [this, pconn, &conn](){
        QObject::disconnect(conn);
        // ...
    }
    

    Or using a shared pointer, with slightly greater overhead:

    auto conn = std::make_shared<QMetaObject::Connection>();
    *conn = QObject::connect(m_sock, &QLocalSocket::readyRead, [this, conn](){
        QObject::disconnect(*conn);
        // ...
    }
    

    From Qt 5.2 you could instead use a context object:

    std::unique_ptr<QObject> context{new QObject};
    QObject* pcontext = context.get();
    QObject::connect(m_sock, &QLocalSocket::readyRead, pcontext,
        [this, context = std::move(context)]() mutable {
        context.release();
            // ...
     });
    
    0 讨论(0)
提交回复
热议问题