Python program start

前端 未结 4 805
不思量自难忘°
不思量自难忘° 2021-02-05 05:33

Should I start a Python program with:

if__name__ == \'__main__\':
some code...

And if so, why? I saw it many times but don\'t have a clue about

相关标签:
4条回答
  • 2021-02-05 06:15

    Guido Van Rossum suggests:

    def main(argv=None):
      if argv is None:
        argv = sys.argv
      ...
    
    if __name__ == "__main__":
        sys.exit(main())
    

    This way you can run main() from somewhere else (supplying the arguments), and if you want to exit with an error code just return 1 from main(), and it won't make an interactive interpreter exit by mistake.

    0 讨论(0)
  • 2021-02-05 06:32

    If your program is usable as a library but you also have a main program (e.g. to test the library), that construct lets others import the file as a library and not run your main program. If your program is named foo.py and you do "import foo" from another python file, __name__ evaluates to 'foo', but if you run "python foo.py" from the command line, __name__ evaluates to '__main__'.

    Note that you do need to insert a space between if and _, and indent the main program:

    if __name__ == '__main__':
        main program here
    
    0 讨论(0)
  • 2021-02-05 06:33

    This is good practice. First, it clearly marks your module entry point (assuming you don't have any other executable code at toplevel - yuck). Second, it makes your module importable by other modules without executing, which some tools like code checkers, packagers etc. need to do.

    0 讨论(0)
  • 2021-02-05 06:36

    A better pattern is this:

    def main():
       ...
    
    if __name__ == '__main__':
       main()
    

    This allows your code to be invoked by someone who imported it, while also making programs such as pychecker and pylint work.

    0 讨论(0)
提交回复
热议问题