3

我想编写一个能够获取文件路径的 Python 函数,例如:

/abs/path/to/my/file/file.txt

并返回三个字符串变量:

  • /abs- 根目录,加上路径中的“最顶层”目录
  • file- 路径中的“最底层”目录;的父母file.txt
  • path/to/my- 路径中最顶层和最底层目录之间的所有内容

所以有以下伪代码:

def extract_path_segments(file):
    absPath = get_abs_path(file)
    top = substring(absPath, 0, str_post(absPath, "/", FIRST))
    bottom = substring(absPath, 0, str_post(absPath, "/", LAST))
    middle = str_diff(absPath, top, bottom)

    return (top, middle, bottom)

在此先感谢您的帮助!

4

4 回答 4

5

您正在寻找os.sep,连同各种os.path模块功能。只需按该字符拆分路径,然后重新组装您要使用的部件。就像是:

import os

def extract_path_segments(path, sep=os.sep):
    path, filename = os.path.split(os.path.abspath(path))
    bottom, rest = path[1:].split(sep, 1)
    bottom = sep + bottom
    middle, top = os.path.split(rest)
    return (bottom, middle, top)

不能很好地处理 Windows 路径,其中\ /都是合法的路径分隔符。在这种情况下,您还有一个驱动器号,因此无论如何您也必须对其进行特殊处理。

输出:

>>> extract_path_segments('/abs/path/to/my/file/file.txt')
('/abs', 'path/to/my', 'file')
于 2012-09-13T12:33:16.740 回答
3

使用os.path.split

import os.path

def split_path(path):
    """
    Returns a 2-tuple of the form `root, list_of_path_parts`
    """
    head,tail = os.path.split(path)
    out = []
    while tail:
        out.append(tail)
        head,tail = os.path.split(head)
    return head,list(reversed(out))

def get_parts(path):
    root,path_parts = split_path(path)
    head = os.path.join(root,path_parts[0])
    path_to = os.path.join(*path_parts[1:-2])
    parentdir = path_parts[-2]
    return head,path_to,parentdir

head,path_to,parentdir = get_parts('/foo/path/to/bar/baz')
print (head)        #foo
print (path_to)     #path/to
print (parentdir)   #bar
于 2012-09-13T12:44:55.043 回答
2

使用os.path.split()os.path.join()我们应该做的

>>> import os
>>> pth = "/abs/path/to/my/file/file.txt"
>>> parts = []
>>> while True:
...     pth, last = os.path.split(pth)
...     if not last:
...         break
...     parts.append(last)
...
>>> pth + parts[-1]
'/abs'
>>> parts[1]
'file'
>>> os.path.join(*parts[-2:1:-1])
'path/to/my'

作为一个函数

import os

def extract_path_segments(pth):
    parts = []
    while True:
        pth, last = os.path.split(pth)
        if not last:
            break
        parts.append(last)
    return pth + parts[-1], parts[1], os.path.join(*parts[-2:1:-1])
于 2012-09-13T12:47:56.420 回答
1
>>> p = '/abs/path/to/my/file/file.txt'
>>> r = p.split('/')
>>> r[1],'/'.join(r[2:-2]),r[-2]
('abs', 'path/to/my', 'file')
于 2012-09-13T12:48:29.897 回答