Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Debugging a pyQT4 app?

Tags:

python

qt

pyqt4

I have a fairly simple app built with pyqt4. I wanted to debug one of the functions connected to one of the buttons in my app. However, when I do the following

python -m pdb app.pyw > break app.pyw:55  # This is where the signal handling function starts. 

things don't quite work like I'd hope. Instead of breaking in the function where I've set the breakpoint and letting me step through it, the debugger enters an infinite loop printing out QCoreApplication::exec: The event loop is already running and I am unable to input anything. Is there a better way to do this?

like image 610
Paul Wicks Avatar asked Nov 14 '09 23:11

Paul Wicks


2 Answers

You need to call QtCore.pyqtRemoveInputHook. I wrap it in my own version of set_trace:

def debug_trace():   '''Set a tracepoint in the Python debugger that works with Qt'''   from PyQt4.QtCore import pyqtRemoveInputHook    # Or for Qt5   #from PyQt5.QtCore import pyqtRemoveInputHook    from pdb import set_trace   pyqtRemoveInputHook()   set_trace() 

And when you are done debugging, you can call QtCore.pyqtRestoreInputHook(), probably best when you are still in pdb, and then after you hit enter, and the console spam is happening, keep hitting 'c' (for continue) until the app resumes properly. (I had to hit 'c' several times for some reason, it kept going back into pdb, but after hitting it a few times it resumed normally)

For further info Google "pyqtRemoveInputHook pdb". (Really obvious isn't it? ;P)

like image 198
quark Avatar answered Oct 06 '22 19:10

quark


I had to use a "next" command at the trace point to get outside of that function first. For that I made a modification of the code from mgrandi:

def pyqt_set_trace():     '''Set a tracepoint in the Python debugger that works with Qt'''     from PyQt4.QtCore import pyqtRemoveInputHook     import pdb     import sys     pyqtRemoveInputHook()     # set up the debugger     debugger = pdb.Pdb()     debugger.reset()     # custom next to get outside of function scope     debugger.do_next(None) # run the next command     users_frame = sys._getframe().f_back # frame where the user invoked `pyqt_set_trace()`     debugger.interaction(users_frame, None) 

This worked for me. I found the solution from here : Python (pdb) - Queueing up commands to execute

like image 25
jamk Avatar answered Oct 06 '22 19:10

jamk