我想知道在Python中确定当前脚本目录的最佳方法是什么。
我发现,由于调用Python代码的方法很多,很难找到一个好的解决方案。
以下是一些问题:
如果脚本使用exec, execfile执行,则__file__未定义
__module__只在模块中定义
用例:
。/ myfile.py
python myfile.py
/ somedir / myfile.py
python somedir / myfile.py
Execfile ('myfile.py')(来自另一个脚本,可以位于另一个目录,并且可以有另一个当前目录。
我知道没有完美的解决方案,但我正在寻找解决大多数情况的最佳方法。
最常用的方法是os.path.dirname(os.path.abspath(__file__)),但如果你用exec()从另一个脚本执行脚本,这就行不通了。
警告
任何使用当前目录的解决方案都会失败,这可以根据脚本调用的方式有所不同,也可以在运行的脚本中更改。
如果__file__可用:
# -- script1.py --
import os
file_path = os.path.abspath(__file__)
print(os.path.dirname(file_path))
对于那些我们希望能够从解释器中运行命令或从你运行脚本的地方获取路径的人:
# -- script2.py --
import os
print(os.path.abspath(''))
这是从解释器开始的。
但是当在脚本中运行(或导入)时,它会给出位置的路径
您运行脚本的路径,而不是目录包含的路径
带有打印的脚本。
例子:
如果您的目录结构为
test_dir (in the home dir)
├── main.py
└── test_subdir
├── script1.py
└── script2.py
with
# -- main.py --
import script1.py
import script2.py
输出结果为:
~/test_dir/test_subdir
~/test_dir
注意:这个答案现在是一个包(也具有安全的相对导入功能)
https://github.com/heetbeet/locate
$ pip install locate
$ python
>>> from locate import this_dir
>>> print(this_dir())
C:/Users/simon
对于.py脚本和交互使用:
我经常使用脚本的目录(用于访问与它们一起存储的文件),但我也经常在交互式shell中运行这些脚本以进行调试。我将this_dir定义为:
运行或导入.py文件时,该文件的基目录。这总是正确的路径。
运行.ipyn笔记本时,当前工作目录。这始终是正确的路径,因为Jupyter将工作目录设置为.ipynb基本目录。
在REPL中运行时,当前工作目录。嗯,当代码从文件中分离出来时,实际的“正确路径”是什么?相反,在调用REPL之前,将更改到“正确路径”作为您的责任。
Python 3.4(及以上版本):
from pathlib import Path
this_dir = Path(globals().get("__file__", "./_")).absolute().parent
Python 2(及以上版本):
import os
this_dir = os.path.dirname(os.path.abspath(globals().get("__file__", "./_")))
解释:
Globals()将所有全局变量作为字典返回。
.get("__file__", "./_")如果globals()中存在键"__file__",则返回键"__file__"的值,否则返回提供的默认值"./_"。
其余的代码只是将__file__(或"./_")展开为一个绝对文件路径,然后返回该文件路径的基目录。
选择:
如果你确定__file__对你的周边代码可用,你可以简化为:
>= Python 3.4: this_dir = Path(__file__).absolute().parent
>= Python 2: this_dir = os.path.dirname(os.path.abspath(__file__))
#!/usr/bin/env python
import inspect
import os
import sys
def get_script_dir(follow_symlinks=True):
if getattr(sys, 'frozen', False): # py2exe, PyInstaller, cx_Freeze
path = os.path.abspath(sys.executable)
else:
path = inspect.getabsfile(get_script_dir)
if follow_symlinks:
path = os.path.realpath(path)
return os.path.dirname(path)
print(get_script_dir())
It works on CPython, Jython, Pypy. It works if the script is executed using execfile() (sys.argv[0] and __file__ -based solutions would fail here). It works if the script is inside an executable zip file (/an egg). It works if the script is "imported" (PYTHONPATH=/path/to/library.zip python -mscript_to_run) from a zip file; it returns the archive path in this case. It works if the script is compiled into a standalone executable (sys.frozen). It works for symlinks (realpath eliminates symbolic links). It works in an interactive interpreter; it returns the current working directory in this case.