
Recently, I stumbled upon a technique for checking if the connect() call for Qt signals/slots was successfull. You may ask what the problem is - just check the result of the call, how difficult can that be?
1 2 | bool ok = connect(...); Q_ASSERT(ok); |
1 2 3 4 | connect(a, SIGNAL(...), b, SLOT(...)); connect(c, SIGNAL(...), d, SLOT(...)); connect(e, SIGNAL(...), f, SLOT(...)); // etc.. |
Digression: I'm normally not a fan of exceptions but here they seem to be perfect a perfect match, don't they? Just signal some error condition without polluting the code with error handling! What's here not to love? But on a closer inspection it poses problem in Release builds, as in production environment we do not want to crash a program when some connection are not right. Ok, with enough testing and exception handling code it's not a problem, but asserts are a much simpler method to achieve the same goal.
Technique:
So let us proceed to the advertised technique:
1 | v << connect(...); |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 | ConnectionVerifier& ConnectionVerifier::operator<<( const QMetaObject::Connection& connection) { verify(connection); return * this ; } void ConnectionVerifier::verify( const QMetaObject::Connection& connection) { const bool connected = (connection != nullptr); //Q_ASSERT(connected); if (!connected) { throw Exception( "Could not establish signal-slot connection." ); } } |
1 2 3 4 | v << connect(a, SIGNAL(...), b, SLOT(...)); v << connect(c, SIGNAL(...), d, SLOT(...)); v << connect(e, SIGNAL(...), f, SLOT(...)); // etc.. |
Summing up:
So will I use this technique? Well, it's most useful for the old connect() syntax where the signals and slots are passed as (Q)strings using the SLOT() and SIGNAL() macros - here it is very easy to accidentally misstype the name or parameters of the corresponding slot/signal, believe me,
But with advent of Qt 5 we have also the modern, type-safe syntax alternative:
1 | connect(a, &A::singnalA, b, &B::slotB); |
However, if you inherited some giant legacy Qt application wehich uses the old connect() syntax, you might be thankfult to have this trick up your sleeve!
2 comments:
While this technique is quite elegant, I would not use it here. AFAIK, since a long time the standard builds of Qt contain the mentioned assert in connect() and will therefore spit out a message in this situation anyway. Even in release builds.
@Rudi
No, it's not an assert, it will only log an error message, which will normally get overlooked in bigger software systems
Post a Comment