📅  最后修改于: 2020-09-19 13:47:17             🧑  作者: Mango
如果我们的Python程序中有大量文件要处理,我们可以将代码安排在不同的目录中,以使事情更易于管理。
目录或文件夹是文件和子目录的集合。 Python的os
模块为我们提供了许多有用的方法来处理目录(以及文件)。
我们可以使用os
模块的getcwd()
方法获取当前的工作目录。
此方法以字符串形式返回当前工作目录。我们还可以使用getcwdb()
方法将其作为字节对象获取。
>>> import os
>>> os.getcwd()
'C:\\Program Files\\PyScripter'
>>> os.getcwdb()
b'C:\\Program Files\\PyScripter'
多余的反斜杠表示转义序列。 print()
函数将正确渲染该图像。
>>> print(os.getcwd())
C:\Program Files\PyScripter
我们可以使用chdir()
方法更改当前工作目录。
我们想要更改的新路径必须作为字符串给此方法。我们可以使用正斜杠/
或反斜杠\
分隔路径元素。
使用反斜杠时,使用转义序列更安全。
>>> os.chdir('C:\\Python33')
>>> print(os.getcwd())
C:\Python33
可以使用listdir()
方法检索目录内的所有文件和子目录。
此方法采用一个路径,并返回该路径中的子目录和文件的列表。如果未指定路径,它将返回当前工作目录中的子目录和文件列表。
>>> print(os.getcwd())
C:\Python33
>>> os.listdir()
['DLLs',
'Doc',
'include',
'Lib',
'libs',
'LICENSE.txt',
'NEWS.txt',
'python.exe',
'pythonw.exe',
'README.txt',
'Scripts',
'tcl',
'Tools']
>>> os.listdir('G:\\')
['$RECYCLE.BIN',
'Movies',
'Music',
'Photos',
'Series',
'System Volume Information']
我们可以使用mkdir()
方法创建一个新目录。
此方法采用新目录的路径。如果未指定完整路径,则会在当前工作目录中创建新目录。
>>> os.mkdir('test')
>>> os.listdir()
['test']
rename()
方法可以重命名目录或文件。
为了重命名任何目录或文件, rename()
方法采用两个基本参数:旧名称作为第一个参数,新名称作为第二个参数。
>>> os.listdir()
['test']
>>> os.rename('test','new_one')
>>> os.listdir()
['new_one']
可以使用remove()
方法删除(删除)文件。
同样, rmdir()
方法将删除一个空目录。
>>> os.listdir()
['new_one', 'old.txt']
>>> os.remove('old.txt')
>>> os.listdir()
['new_one']
>>> os.rmdir('new_one')
>>> os.listdir()
[]
注意 : rmdir()
方法只能删除空目录。
为了删除一个非空目录,我们可以在shutil
模块中使用rmtree()
方法。
>>> os.listdir()
['test']
>>> os.rmdir('test')
Traceback (most recent call last):
...
OSError: [WinError 145] The directory is not empty: 'test'
>>> import shutil
>>> shutil.rmtree('test')
>>> os.listdir()
[]