Urwid:怎么看错误?

时间:2012-10-13 19:39:48

标签: python urwid

我正在使用urwid库构建具有交互式控制台界面(线路htop,atop实用程序)的应用程序,所以我的麻烦是:因为接口占用了控制台窗口中的所有空间 - 我看不到python的错误,我试过做到这一点:

import sys
f = open("test_err", "w")
original_stderr = sys.stderr
sys.stderr = f

print a #a is undefined

sys.stderr = original_stderr
f.close() 

当我不使用urwid时它可以工作,但是当我使用它时它没有...

2 个答案:

答案 0 :(得分:0)

您可以尝试将错误重定向到文件。每次运行程序后,您都需要刷新文件。大多数编辑都可以通过推送f5

轻松完成
def main():
    #your code here
    print someError #raises an error

try: #run main function
    main()
except BaseException as err: #catch all errors
    with open('errors.txt','a') as errors: #open a file to write the errors to
        errors.write(err.message+'\n')#write the error

更改' a'到了' w'在open函数中,如果你只想一次看到文件中的一个错误(而不是在一个文件中长时间有多个错误)。

如果你想在发生错误时立即看到错误,你可以让错误捕获器打开一个有错误的窗口。

def main():
    #your code here
    print someErr

try: #run main function
   main()
except BaseException as err: #catch all errors
    import Tkinter as tk #imports the ui module

    root = tk.Tk() #creates the root of the window

    #creates the text and attaches it to the root
    window = tk.Label(root, text=err.message)
    window.pack()

    #runs the window
    root.mainloop()

如果你想建立自己的窗口来捕捉错误,你可以了解Tkinter here。 (它内置于python中,你不必安装任何东西)

答案 1 :(得分:0)

这就是我想出的。我正在利用unicode-rxvt(urxvt)功能在文件描述符中传递。当然,这意味着您需要在X环境中进行开发,而不是在控制台中进行开发。

from __future__ import print_function

import os
from datetime import datetime

_debugfile = None

def _close_debug(fo):
    fo.close()

def DEBUG(*obj):
    """Open a terminal emulator and write messages to it for debugging."""
    global _debugfile
    if _debugfile is None:
        import atexit
        masterfd, slavefd = os.openpty()
        pid = os.fork()
        if pid: # parent
            os.close(masterfd)
            _debugfile = os.fdopen(slavefd, "w+", 0)
            atexit.register(_close_debug, _debugfile)
        else: # child
            os.close(slavefd)
            os.execlp("urxvt", "urxvt", "-pty-fd", str(masterfd))
    print(datetime.now(), ":", ", ".join(map(repr, obj)), file=_debugfile)

当您第一次调用DEBUG并在退出时关闭它时,这将自动打开一个新的终端窗口。然后传递给它的任何消息都会显示在这个新窗口中。这是你的“调试窗口”。因此,您的主应用程序正常工作,不会使消息混乱,但您仍然可以在这个新终端中看到调试输出。