Why should nesting of QEventLoops be avoided?

  1. A nested event loop costs you 1-2kb of stack. It takes up 5% of the L1 data cache on typical 32kb L1 cache CPUs, give-or-take.

  2. It has the capacity to reenter any code already on the call stack. There are no guarantees that any of that code was designed to be reentrant. I’m talking about your code, not Qt’s code. It can reenter code that has started this event loop, and unless you explicitly control this recursion, there are no guarantees that you won’t eventually run out of stack space.

  3. In current Qt, there are two places where, due to a long standing API bugs or platform inadequacies, you have to use nested exec: QDrag and platform file dialogs (on some platforms). You simply don’t need to use it anywhere else. You do not need a nested event loop for non-platform modal dialogs.

  4. Reentering the event loop is usually caused by writing pseudo-synchronous code where one laments the supposed lack of yield() (co_yield and co_await has landed in C++ now!), hides one’s head in the sand and uses exec() instead. Such code typically ends up being barely palatable spaghetti and is unnecessary.

    For modern C++, using the C++20 coroutines is worthwhile; there are some Qt-based experiments around, easy to build on.

    There are Qt-native implementations of stackful coroutines: Skycoder42/QtCoroutings – a recent project, and the older ckamm/qt-coroutine. I’m not sure how fresh the latter code is. It looks that it all worked at some point.

    Writing asynchronous code cleanly without coroutines is usually accomplished through state machines, see this answer for an example, and QP framework for an implementation different from QStateMachine.

Personal anecdote: I couldn’t wait for C++ coroutines to become production-ready, and I now write asynchronous communication code in golang, and statically link that into a Qt application. Works great, the garbage collector is unnoticeable, and the code is way easier to read and write than C++ with coroutines. I had a lot of code written using C++ coroutines TS, but moved it all to golang and I don’t regret it.

Leave a Comment