Extract file name from path, no matter what the os/path format
Which Python library can I use to extract filenames from paths, no matter what the operating system or path format could be?
 For example, I'd like all of these paths to return me c :  
a/b/c/
a/b/c
abc
abc
abc
a/b/../../a/b/c/
a/b/../../a/b/c
 Using os.path.split or os.path.basename as others suggest won't work in all cases: if you're running the script on Linux and attempt to process a classic windows-style path, it will fail.  
 Windows paths can use either backslash or forward slash as path separator.  Therefore, the ntpath module (which is equivalent to os.path when running on windows) will work for all(1) paths on all platforms.  
import ntpath
ntpath.basename("a/b/c")
Of course, if the file ends with a slash, the basename will be empty, so make your own function to deal with it:
def path_leaf(path):
    head, tail = ntpath.split(path)
    return tail or ntpath.basename(head)
Verification:
>>> paths = ['a/b/c/', 'a/b/c', 'abc', 'abc', 'abc', 
...     'a/b/../../a/b/c/', 'a/b/../../a/b/c']
>>> [path_leaf(path) for path in paths]
['c', 'c', 'c', 'c', 'c', 'c', 'c']
 (1) There's one caveat: Linux filenames may contain backslashes.  So on linux, r'a/bc' always refers to the file bc in the a folder, while on Windows, it always refers to the c file in the b subfolder of the a folder.  So when both forward and backward slashes are used in a path, you need to know the associated platform to be able to interpret it correctly.  In practice it's usually safe to assume it's a windows path since backslashes are seldom used in Linux filenames, but keep this in mind when you code so you don't create accidental security holes.  
实际上,有一个函数返回你想要的
print(os.path.basename(your_path))
os.path.split是你正在寻找的功能
head, tail = os.path.split("/tmp/d/a.dat")
>>> print(tail)
a.dat
>>> print(head)
/tmp/d
