检查python代码是否有错误

时间:2014-07-14 15:08:48

标签: python pylint pychecker

我可以通过一些库检查python文件或模块的错误,例如:pylint,pychecker,pyflakes等。在大多数情况下,我必须指定文件或目录进行检查。例如:

pylint directory/mymodule.py

没关系,但对我来说还不够。我想分析分离的代码块并获取所有检测到的错误和警告。因此,我必须从我自己的模块中调用python代码分析器作为程序的一部分。

import some_magic_checker

code = '''import datetime; print(datime.datime.now)'''
errors = some_magic_checker(code)
if len(errors) == 0:
    exec(code)  # code has no errors, I can execute its
else:
    print(errors)  # display info about detected errors

是否存在一些python库,如pylint或pyflakes,它们提供了python代码检查功能无代码编译?谢谢你的帮助。


UPD

我将尝试在简单的例子中解释我的意思。我有一个变量“codeString”,它包含python源代码。我必须分析这段代码(没有任何文件创建和代码执行,但我可以编译代码)并检测有关错误代码块的所有警告。让我们看一下pyflakes模块,了解它是如何工作的。

模块“pyflakes.api”中有一个“check”功能。

from pyflakes import checker
from pyflakes import reporter as modReporter
import _ast
import sys

def check(codeString, filename):
    reporter = modReporter._makeDefaultReporter()
    try:
        tree = compile(codeString, filename, "exec", _ast.PyCF_ONLY_AST)
    except SyntaxError:
        value = sys.exc_info()[1]
        msg = value.args[0]

        (lineno, offset, text) = value.lineno, value.offset, value.text

        # If there's an encoding problem with the file, the text is None.
        if text is None:
            # Avoid using msg, since for the only known case, it contains a
            # bogus message that claims the encoding the file declared was
            # unknown.
            reporter.unexpectedError(filename, 'problem decoding source')
        else:
            reporter.syntaxError(filename, msg, lineno, offset, text)
        return 1
    except Exception:
        reporter.unexpectedError(filename, 'problem decoding source')
        return 1
    # Okay, it's syntactically valid.  Now check it.
    w = checker.Checker(tree, filename)
    w.messages.sort(key=lambda m: m.lineno)
    for warning in w.messages:
        reporter.flake(warning)
    return len(w.messages)

你怎么看,这个函数不能只用一个参数“codeString”,我们还必须提供第二个参数“filename”。这是我最大的问题,我没有任何文件,只有字符串变量中的Python代码。

pylint,pychecker,pyflakes和所有库,我所知道,只适用于创建的文件。所以我尝试找到一些解决方案,不需要链接到Python文件。

1 个答案:

答案 0 :(得分:0)

内置功能&#34;编译&#34;允许创建编译代码或AST对象并捕获一些错误,而无需创建文件和执行代码。我们必须将'<string>'值作为第二个参数传递,因为代码不是从文件中读取的。

>>> def execute(code_string):
>>>    output = list()
>>>    try:
>>>        tree = compile(code_string, '<string>', 'exec')
>>>    except Exception as e:
>>>        print(e)
>>>    else:
>>>        exec(tree)
>>> # Now I can check code before calling the "exec" function
>>> code_string = 'print("Hello_World!")'
>>> execute(code_string)  # All is ok
Hello_World!
>>> code_string = 'ERROR! print("Hello_World!")'
>>> execute(code_string)  # This code will not executed
invalid syntax (<string>, line 1)