在Python中处理目录中的文件时,最好使用绝对路径。 但是,如果您使用的是相对路径,则需要了解当前工作目录的概念以及如何查找或更改当前工作目录。 绝对路径指定从根目录开始的文件或目录位置,而相对路径从当前工作目录开始。
当您运行Python脚本时,当前工作目录将设置为执行脚本的目录。
python os模块提供了一种与操作系统进行交互的可移植方式。 该模块是标准Python库的一部分,并包含用于查找和更改当前工作目录的方法。
使用Python获取当前的工作目录
Python中os模块的getcwd()
方法,返回一个字符串,其中包含当前工作目录的绝对路径。 返回的字符串不包含斜杠字符。
os.getcwd()
要使用os模块方法,必须将模块导入文件顶部。
以下是显示如何打印当前工作目录的示例:
# Import the os module
import os
# Get the current working directory
cwd = os.getcwd()
# Print the current working directory
print("Current working directory: {0}".format(cwd))
# Print the type of the returned object
print("os.getcwd() returns an object of type: {0}".format(type(cwd)))
输出将如下所示:
Current working directory: /home/myfreax/Desktop
os.getcwd() returns an object of type: <class 'str'>
如果要查找脚本所在的目录,请使用os.path.realpath(__file__)
。 它将返回一个字符串,其中包含正在运行的脚本的绝对路径。
使用Python更改当前工作目录
要在Python中更改当前工作目录,请使用chdir()
方法。
os.getcwd(path)
该方法接受一个参数,即您要更改到的目录的路径。 path
参数可以是绝对的也可以是相对的。
以下是示例:
# Import the os module
import os
# Print the current working directory
print("Current working directory: {0}".format(os.getcwd()))
# Change the current working directory
os.chdir('/tmp')
# Print the current working directory
print("Current working directory: {0}".format(os.getcwd()))
输出将如下所示:
Current working directory: /home/myfreax/Desktop
Current working directory: /tmp
提供给chdir()
方法的参数必须是目录,否则会引发NotADirectoryError
异常。 如果指定的目录不存在,则会引发FileNotFoundError
异常。 如果运行脚本的用户没有必要的权限,则会引发PermissionError
异常。
# Import the os module
import os
path = '/var/www'
try:
os.chdir(path)
print("Current working directory: {0}".format(os.getcwd()))
except FileNotFoundError:
print("Directory: {0} does not exist".format(path))
except NotADirectoryError:
print("{0} is not a directory".format(path))
except PermissionError:
print("You do not have permissions to change to {0}".format(path))
结论
要使用Python查找当前工作目录,请使用os.getcwd()
,要更改当前工作目录,请使用os.chdir(path)
。
如果您有任何疑问或反馈,请随时发表评论。