这个问题应该是不费吹灰之力,但我还没有能够指出它。
我需要一个带两个参数的函数,每个参数都是一个文件路径,相对或绝对,并返回一个文件路径,它是相对于第二个路径(start)解析的第一个路径(目标)。已解析的路径可能是相对于当前目录的,也可能是绝对的(我不在乎)。
这里作为一个尝试的实现,完成了几个doc测试,它们练习了一些示例用例(并演示了它失败的地方)。一个runnable script is also available on my source code repository,但它可能会改变。如果没有提供参数,runnable脚本将运行doctest,或者如果提供了将一个或两个参数传递给findpath。
def findpath(target, start=os.path.curdir):
r"""
Find a path from start to target where target is relative to start.
>>> orig_wd = os.getcwd()
>>> os.chdir('c:\\windows') # so we know what the working directory is
>>> findpath('d:\\')
'd:\\'
>>> findpath('d:\\', 'c:\\windows')
'd:\\'
>>> findpath('\\bar', 'd:\\')
'd:\\bar'
>>> findpath('\\bar', 'd:\\foo') # fails with '\\bar'
'd:\\bar'
>>> findpath('bar', 'd:\\foo')
'd:\\foo\\bar'
>>> findpath('bar\\baz', 'd:\\foo')
'd:\\foo\\bar\\baz'
>>> findpath('\\baz', 'd:\\foo\\bar') # fails with '\\baz'
'd:\\baz'
Since we're on the C drive, findpath may be allowed to return
relative paths for targets on the same drive. I use abspath to
confirm that the ultimate target is what we expect.
>>> os.path.abspath(findpath('\\bar'))
'c:\\bar'
>>> os.path.abspath(findpath('bar'))
'c:\\windows\\bar'
>>> findpath('..', 'd:\\foo\\bar')
'd:\\foo'
>>> findpath('..\\bar', 'd:\\foo')
'd:\\bar'
The parent of the root directory is the root directory.
>>> findpath('..', 'd:\\')
'd:\\'
restore the original working directory
>>> os.chdir(orig_wd)
"""
return os.path.normpath(os.path.join(start, target))
从doctest中的注释中可以看出,当start指定驱动器号且目标相对于驱动器的根目录时,此实现失败。
这提出了一些问题
答案 0 :(得分:2)
我同意你的意见:这似乎是os.path.join的一个缺陷。看起来你必须单独处理驱动器。此代码通过了所有测试:
def findpath(target, start=os.path.curdir):
sdrive, start = os.path.splitdrive(start)
tdrive, target = os.path.splitdrive(target)
rdrive = tdrive or sdrive
return os.path.normpath(os.path.join(rdrive, os.path.join(start, target)))
(是的,我必须嵌套两个os.path.join才能让它工作......)