我已阅读此功能的文档,但是,我不认为我理解正确。如果有人能告诉我我错过了什么,或者我是否正确,那将是一个很大的帮助。以下是我的理解:
使用shutil.rmtree(path)
函数,它只会删除指定的目录,而不会删除整个路径。 IE:
shutil.rmtree('user/tester/noob')
答案 0 :(得分:51)
如果noob是目录,shutil.rmtree()
函数将删除noob
及其下的所有文件和子目录。也就是说,noob
是要删除的树的根。
答案 1 :(得分:26)
这肯定只会删除指定路径中的最后一个目录。 试试吧:
mkdir -p foo/bar
python
import shutil
shutil.rmtree('foo/bar')
...只会移除'bar'
。
答案 2 :(得分:15)
这里有一些误解。
想象一下这样的树:
- user
- tester
- noob
- developer
- guru
如果您要删除user
,请执行shutil.rmtree('user')
。这也会删除user/tester
内的user/tester/noob
和user
。但是,它也会删除user/developer
和user/developer/guru
,因为它们也位于user
内。
如果rmtree('user/tester/noob')
会删除user
和tester
,那么如果user/developer
消失,您的意思是user
是什么意思?
或者你的意思是http://docs.python.org/2/library/os.html#os.removedirs?
它尝试删除每个已删除目录的父级,直到它失败,因为该目录不为空。因此,在我的示例树中,os.removedirs('user/tester/noob')
会首先删除noob
,然后它会尝试删除tester
,这是正常的,因为它是空的,但它会停在user
并且不管它,因为它包含developer
,我们不想删除它。
答案 3 :(得分:0)
**For Force deletion using rmtree command in Python:**
[user@severname DFI]$ python
Python 2.7.13 (default, Aug 4 2017, 17:56:03)
[GCC 4.4.7 20120313 (Red Hat 4.4.7-18)] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> import shutil
>>> shutil.rmtree('user/tester/noob')
But what if the file is not existing, it will throw below error:
>>> shutil.rmtree('user/tester/noob')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/usr/local/lib/python2.7/shutil.py", line 239, in rmtree
onerror(os.listdir, path, sys.exc_info())
File "/usr/local/lib/python2.7/shutil.py", line 237, in rmtree
names = os.listdir(path)
OSError: [Errno 2] No such file or directory: 'user/tester/noob'
>>>
**To fix this, use "ignore_errors=True" as below, this will delete the folder at the given if found or do nothing if not found**
>>> shutil.rmtree('user/tester/noob', ignore_errors=True)
>>>
Hope this helps people who are looking for force folder deletion using rmtree.