如何找到当前运行的Python脚本的完整路径?也就是说,我需要做些什么来实现这个目标:
Nirvana@bahamut:/tmp$ python baz.py
running from /tmp
file is baz.py
答案 0 :(得分:66)
__file__
不是您想要的。不要使用意外的副作用
sys.argv[0]
始终脚本的路径(如果实际上已调用脚本) - 请参阅http://docs.python.org/library/sys.html#sys.argv
__file__
是当前正在执行的文件(脚本或模块)的路径。如果从脚本访问脚本,那么意外与脚本相同!如果要将有关资源文件(如相对于脚本位置的资源文件)放入库中,则必须使用sys.argv[0]
。
示例:
C:\junk\so>type \junk\so\scriptpath\script1.py
import sys, os
print "script: sys.argv[0] is", repr(sys.argv[0])
print "script: __file__ is", repr(__file__)
print "script: cwd is", repr(os.getcwd())
import whereutils
whereutils.show_where()
C:\junk\so>type \python26\lib\site-packages\whereutils.py
import sys, os
def show_where():
print "show_where: sys.argv[0] is", repr(sys.argv[0])
print "show_where: __file__ is", repr(__file__)
print "show_where: cwd is", repr(os.getcwd())
C:\junk\so>\python26\python scriptpath\script1.py
script: sys.argv[0] is 'scriptpath\\script1.py'
script: __file__ is 'scriptpath\\script1.py'
script: cwd is 'C:\\junk\\so'
show_where: sys.argv[0] is 'scriptpath\\script1.py'
show_where: __file__ is 'C:\\python26\\lib\\site-packages\\whereutils.pyc'
show_where: cwd is 'C:\\junk\\so'
答案 1 :(得分:19)
这将打印脚本所在的目录(而不是工作目录):
import os
dirname, filename = os.path.split(os.path.abspath(__file__))
print "running from", dirname
print "file is", filename
当我把它放在c:\src
:
> cd c:\src
> python so-where.py
running from C:\src
file is so-where.py
> cd c:\
> python src\so-where.py
running from C:\src
file is so-where.py
答案 2 :(得分:4)
import sys, os
file = sys.argv[0]
pathname = os.path.dirname(file)
print 'running from %s' % os.path.abspath(pathname)
print 'file is %s' % file
检查os.getcwd()(docs)
答案 3 :(得分:3)
正在运行的文件始终为__file__
。
这是一个名为identify.py
print __file__
这是结果
MacBook-5:Projects slott$ python StackOverflow/identify.py
StackOverflow/identify.py
MacBook-5:Projects slott$ cd StackOverflow/
MacBook-5:StackOverflow slott$ python identify.py
identify.py
答案 4 :(得分:3)
我建议
import os, sys
print os.path.split(os.path.abspath(os.path.realpath(sys.argv[0])))[0]
通过这种方式,您可以安全地创建指向脚本可执行文件的符号链接,它仍然可以找到正确的目录。
答案 5 :(得分:2)
脚本名称(总是?)是sys.argv的第一个索引:
import sys
print sys.argv[0]
查找正在运行的脚本路径的更简单方法:
os.path.dirname(sys.argv[0])
答案 6 :(得分:0)
除上述sys.argv[0]
外,还可以使用__main__
:
import __main__
print(__main__.__file__)
但是要注意,这仅在非常罕见的情况下有用。
并且总是创建一个导入循环,这意味着__main__
那时将不会完全执行。
答案 7 :(得分:0)
将python正在执行的脚本目录添加到sys.path
中
这实际上是一个包含其他路径的数组(列表)。
第一个元素包含脚本所在的完整路径(对于Windows)。
因此,对于Windows,可以使用:
import sys
path = sys.path[0]
print(path)
其他人建议使用sys.argv[0]
,它的工作方式非常相似且完整。
import sys
path = os.path.dirname(sys.argv[0])
print(path)
请注意,sys.argv[0]
包含完整的工作目录(路径)+文件名,而sys.path[0]
是不带文件名的当前工作目录。
我已经在Windows上测试了sys.path[0]
,并且可以使用。我尚未在Windows之外的其他操作系统上进行过测试,所以可能有人对此发表评论。