Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

What does `if name == "__main__"` mean in Python? [duplicate]

Possible Duplicate:
What does <if name==“main”:> do?

I have wrote scripts in Python for quite a while now and I study more of Python as I need it. When reading other people's code I meet if name == "__main__": construct quite often.

What is it good for?

like image 287
Adobe Avatar asked Nov 22 '11 07:11

Adobe


People also ask

What does if __ name __ == Main do in Python?

In Short: It Allows You to Execute Code When the File Runs as a Script, but Not When It's Imported as a Module. For most practical purposes, you can think of the conditional block that you open with if __name__ == "__main__" as a way to store code that should only run when your file is executed as a script.

What does __ main __ mean in Python?

In Python, the special name __main__ is used for two important constructs: the name of the top-level environment of the program, which can be checked using the __name__ == '__main__' expression; and. the __main__.py file in Python packages.

Do you need if name == Main?

if __name__ == "__main__" in ActionWe use the if-statement to run blocks of code only if our program is the main program executed. This allows our program to be executable by itself, but friendly to other Python modules who may want to import some functionality without having to run the code.


1 Answers

This allows you to use the same file both as a library (by importing it) or as the starting point for an application.

For example, consider the following file:

# hello.py
def hello(to=__name__):
    return "hello, %s" % to

if __name__ == "__main__":
    print hello("world")

You can use that code in two ways. For one, you can write a program that imports it. If you import the library, __name__ will be the name of the library and thus the check will fail, and the code will not execute (which is the desired behavior):

#program.py
from hello import hello # this won't cause anything to print
print hello("world")

If you don't want to write this second file, you can directly run your code from the command line with something like:

$ python hello.py
hello, __main__

This behavior all depends on the special variable __name__ which python will set based on whether the library is imported or run directly by the interpreter. If run directly it will be set to __main__. If imported it will be set to the library name (in this case, hello).

Often this construct is used to add unit tests to your code. This way, when you write a library you can embed the testing code right in the file without worrying that it will get executed when the library is used in the normal way. When you want to test the library, you don't need any framework because you can just run the library as if it were a program.

See also __main__ in the python documentation (though it's remarkably sparse)

like image 184
Bryan Oakley Avatar answered Oct 03 '22 07:10

Bryan Oakley