os.path.abspath(path)
No matter what you pass into os.path.abspath(), the path is seen as a relative path. It is relative to the directory from where you are executing your code. So the return value will concatenate your current directory with path.12345>>> import os.path>>> os.getcwd()'/home/int3'>>> os.path.abspath('file.txt')'/home/int3/file.txt'os.path.split(path)
This will split the path into a pair,(head, tail)
where tail is the file name and head is the directory name.12345>>> path = '/path/to/file.txt'>>> os.path.split(path)('/path/to', 'file.txt')>>> os.path.split('/path/to/')('/path/to', '')os.path.dirname(path)
Return the directory name. It’s in fact thehead
in the(head, tail)
pair.1234>>> os.path.dirname(path)'/path/to'>>> os.path.dirname('/path/to/')'/path/to'os.path.basename(path)
Return the file name. It path ends with\
or/
, the return value will be''
. It’s in fact thetail
in the(head, tail)
pair.1234>>> os.path.basename(path)'file.txt'>>> os.path.basename('/path/to/')''os.path.exists(path)
If the path exists, returnotherwise, return ```False``` . 12345```>>> os.path.exists(path)False>>> os.path.exists('/home/int3/')Trueos.path.isfile(path)
If path is an existed file, returnTrue
. Otherwise, returnFalse
.os.path.join(path)
Join one or more path components intelligently. If a component is an absolute path, all previous components are thrown away and joining continues from the absolute path component.1234>>> os.path.join('/home/', 'file1.txt', 'file2.jpg')'/home/file1.txt/file2.jpg'>>> os.path.join('/home/', '/usr/', 'file1.txt', 'file2.jpg')'/usr/file1.txt/file2.jpg'