Python编译器在import其他py文件时,会将所有没有缩进的代码全部执行一遍。而 if __name__ == '__main__':的作用就是确保程序只在当前文件夹下能运行,在被导入后不能执行。
举个例子:我创建了两个python文件,其一为 main.py,其二为 text.py,两者中程序如下:
main.py中:
import text
print("hello world")
text.py中:
print("hello python")
这样运行main.py文件时,由于我们import text了,所以会执行text文件中的所有没被缩进的程序,会先输出 “hello python”,结果如下:
D:\ProgramData\Anaconda3\python.exe E:/text/main.py
hello python
hello world
Process finished with exit code 0
加了if __name__='main':之后呢,相应的程序只能在text文件中执行(只有运行自己所在的py文件时才会执行),虽然main中导入了text文件,但是也不执行:
main.py中:
import text
print("hello world")
text.py中:
if __name__ = 'main':
print("hello python")
结果就不会输出“hello python”,hello python只会在运行text.py时输出:
D:\ProgramData\Anaconda3\python.exe E:/text/main.py
hello world
Process finished with exit code 0