2

GUIベースのプロジェクトがあります。それをコード自体とGUI部分に遠ざけたいと思います。

これは私のコードです Main.py::

class NewerVersionWarning(Exception):
    def __init__(self, newest, current=__version__):
        self.newest = newest
        self.current = current
    def __str__(self):
        return "Version v%s is the latest version. You have v%s." % (self.newest, self.current)

class NoResultsException(Exception):
    pass

# ... and so on
def sanity_check():
    "Sanity Check for script."
    try:
        newest_version = WebParser.WebServices.get_newestversion()
        if newest_version > float(__version__):
            raise NewerVersionWarning(newest_version)
    except IOError as e:
        log.error("Could not check for the newest version (%s)" % str(e))

    if utils.get_free_space(config.temp_dir) < 200*1024**2: # 200 MB
        drive = os.path.splitdrive(config.temp_dir)[0]
        raise NoSpaceWarning(drive, utils.get_free_space(config.temp_dir))

# ... and so on

ここで、GUIの部分で、try-exceptブロック内で関数を呼び出すだけです。

    try:
        Main.sanity_check()
    except NoSpaceWarning, e:
        s = tr("There are less than 200MB available in drive %s (%.2fMB left). Application may not function properly.") % (e.drive, e.space/1024.0**2)
        log.warning(s)
        QtGui.QMessageBox.warning(self, tr("Warning"), s, QtGui.QMessageBox.Ok)
    except NewerVersionWarning, e:
        log.warning("A new version of iQuality is available (%s)." % e.newest)
        QtGui.QMessageBox.information(self, tr("Information"), tr("A new version of iQuality is available (%s). Updates includes performance enhancements, bug fixes, new features and fixed parsers.<br /><br />You can grab it from the bottom box of the main window, or from the <a href=\"%s\">iQuality website</a>.") % (e.newest, config.website), QtGui.QMessageBox.Ok)

現在の設計では、チェックは最初の警告/例外で停止します。もちろん、例外はコードを停止する必要がありますが、警告はユーザーへのメッセージのみを表示し、その後も続行する必要があります。どうすればそのように設計できますか?

4

2 に答える 2

1

おそらく、Python の警告メカニズムを確認する必要があります。

プログラムを停止することなく、危険な状況をユーザーに警告できるようにする必要があります。

于 2012-11-04T08:42:50.290 に答える
0

Python には警告メカニズムがありますが、その方が簡単だと思います。

  1. クラスの警告をサブクラス化しますWarning
  2. リストを使用して、_warningsすべての警告を追加します。
  3. _warnings外部コードでそれを返し、処理します。

    try:
        _warnings = Main.sanity_check()
    except CustomException1, e:
        # handle exception
    except CustomException2, e:
        # handle exception
    
    for w in _warnings:
        if isinstance(w, NoSpaceWarning):
            pass # handle warning
        if isinstance(w, NewerVersionWarning):
            pass # handle warning
    
于 2012-11-04T09:31:45.213 に答える