web-dev-qa-db-fra.com

Comment vérifier la syntaxe du script Python sans l'exécuter?

J'avais l'habitude d'utiliser Perl -c programfile pour vérifier la syntaxe d'un programme Perl, puis quitter sans l'exécuter. Existe-t-il un moyen équivalent de procéder de la sorte pour un script Python?

297
Eugene Yarmash

Vous pouvez vérifier la syntaxe en la compilant:

python -m py_compile script.py
492
Mark Johnson

Vous pouvez utiliser ces outils:

51
user225312
import sys
filename = sys.argv[1]
source = open(filename, 'r').read() + '\n'
compile(source, filename, 'exec')

Enregistrez-le sous le nom checker.py et exécutez python checker.py yourpyfile.py.

15
Rosh Oxymoron

Peut-être utile vérificateur en ligne PEP8: http://pep8online.com/

5
a_shahmatov

Voici une autre solution, utilisant le module ast:

python -c "import ast; ast.parse(open('programfile').read())"

Pour le faire proprement depuis un script Python:

import ast, traceback

filename = 'programfile'
with open(filename) as f:
    source = f.read()
valid = True
try:
    ast.parse(source)
except SyntaxError:
    valid = False
    traceback.print_exc()  # Remove to silence any errros
print(valid)
1
jmd_dk

pour une raison quelconque (je suis un débutant py ...) l'appel -m n'a pas fonctionné ...

alors voici une fonction wrapper bash ... 

# ---------------------------------------------------------
# check the python synax for all the *.py files under the
# <<product_version_dir/sfw/python
# ---------------------------------------------------------
doCheckPythonSyntax(){

    doLog "DEBUG START doCheckPythonSyntax"

    test -z "$sleep_interval" || sleep "$sleep_interval"
    cd $product_version_dir/sfw/python
    # python3 -m compileall "$product_version_dir/sfw/python"

    # foreach *.py file ...
    while read -r f ; do \

        py_name_ext=$(basename $f)
        py_name=${py_name_ext%.*}

        doLog "python3 -c \"import $py_name\""
        # doLog "python3 -m py_compile $f"

        python3 -c "import $py_name"
        # python3 -m py_compile "$f"
        test $! -ne 0 && sleep 5

    done < <(find "$product_version_dir/sfw/python" -type f -name "*.py")

    doLog "DEBUG STOP  doCheckPythonSyntax"
}
# eof func doCheckPythonSyntax
0
Yordan Georgiev