你可以递归的os。path。拆分字符串
import os
def parts(path):
p,f = os.path.split(path)
return parts(p) + [f] if f else [p]
针对一些路径字符串进行测试,并使用os.path.join重新组装路径
>>> for path in [
... r'd:\stuff\morestuff\furtherdown\THEFILE.txt',
... '/path/to/file.txt',
... 'relative/path/to/file.txt',
... r'C:\path\to\file.txt',
... r'\\host\share\path\to\file.txt',
... ]:
... print parts(path), os.path.join(*parts(path))
...
['d:\\', 'stuff', 'morestuff', 'furtherdown', 'THEFILE.txt'] d:\stuff\morestuff\furtherdown\THEFILE.txt
['/', 'path', 'to', 'file.txt'] /path\to\file.txt
['', 'relative', 'path', 'to', 'file.txt'] relative\path\to\file.txt
['C:\\', 'path', 'to', 'file.txt'] C:\path\to\file.txt
['\\\\', 'host', 'share', 'path', 'to', 'file.txt'] \\host\share\path\to\file.txt
列表的第一个元素可能需要区别对待,这取决于您想如何处理驱动器号、UNC路径以及绝对路径和相对路径。将最后一个[p]更改为[os.path.splitdrive(p)],通过将驱动器号和目录根分解为一个元组来强制解决这个问题。
import os
def parts(path):
p,f = os.path.split(path)
return parts(p) + [f] if f else [os.path.splitdrive(p)]
[('d:', '\\'), 'stuff', 'morestuff', 'furtherdown', 'THEFILE.txt']
[('', '/'), 'path', 'to', 'file.txt']
[('', ''), 'relative', 'path', 'to', 'file.txt']
[('C:', '\\'), 'path', 'to', 'file.txt']
[('', '\\\\'), 'host', 'share', 'path', 'to', 'file.txt']
编辑:我意识到这个答案与上面user1556435给出的答案非常相似。我留下我的答案,因为路径的驱动器组件的处理是不同的。