为什么要同时使用os.path.abspath和os.path.realpath?

时间:2016-06-16 15:30:31

标签: python

在多个开源项目中,我看到有人os.path.abspath(os.path.realpath(__file__))获取当前文件的绝对路径。

但是,我发现os.path.abspath(__file__)os.path.realpath(__file__)会产生相同的结果。 os.path.abspath(os.path.realpath(__file__))似乎有点多余。

人们是否有理由使用它?

3 个答案:

答案 0 :(得分:79)

对于你陈述的场景,没有理由将realpath和abspath结合起来,因为os.path.realpath在返回结果之前实际调用os.path.abspath(我将Python 2.5检查到Python 3.6)。

  • os.path.abspath返回绝对路径,但不解析其参数中的符号链接。
  • os.path.realpath将首先解析路径中的所有符号链接,然后返回绝对路径。

但是,如果您希望您的路径包含~,则无论是abspath还是realpath都不会将~解析为用户的主目录,并且生成的路径将无效即可。您需要使用os.path.expanduser将此解析到用户的目录。

为了彻底解释,以下是我在Windows和Linux,Python 3.4和Python 2.6中验证的一些结果。当前目录(./)是我的主目录,如下所示:

myhome
|- data (symlink to /mnt/data)
|- subdir (extra directory, for verbose explanation)
# os.path.abspath returns the absolute path, but does NOT resolve symlinks in its argument
os.path.abspath('./')
'/home/myhome'
os.path.abspath('./subdir/../data')
'/home/myhome/data'


# os.path.realpath will resolve symlinks AND return an absolute path from a relative path
os.path.realpath('./')
'/home/myhome'
os.path.realpath('./subdir/../')
'/home/myhome'
os.path.realpath('./subdir/../data')
'/mnt/data'

# NEITHER abspath or realpath will resolve or remove ~.
os.path.abspath('~/data')
'/home/myhome/~/data'

os.path.realpath('~/data')
'/home/myhome/~/data'

# And the returned path will be invalid
os.path.exists(os.path.abspath('~/data'))
False
os.path.exists(os.path.realpath('~/data'))
False

# Use realpath + expanduser to resolve ~
os.path.realpath(os.path.expanduser('~/subdir/../data'))
'/mnt/data'

答案 1 :(得分:43)

os.path.realpath解除支持它们的操作系统上的符号链接。

os.path.abspath只会从路径中删除...等内容,从目录树的根目录到指定文件(或符号链接)

例如,在Ubuntu上

$ ls -l
total 0
-rw-rw-r-- 1 guest guest 0 Jun 16 08:36 a
lrwxrwxrwx 1 guest guest 1 Jun 16 08:36 b -> a

$ python
Python 2.7.11 (default, Dec 15 2015, 16:46:19) 
[GCC 4.8.4] on linux2
Type "help", "copyright", "credits" or "license" for more information.

>>> from os.path import abspath, realpath

>>> abspath('b')
'/home/guest/play/paths/b'

>>> realpath('b')
'/home/guest/play/paths/a'

符号链接可以包含相对路径,因此需要使用两者。对realpath的内部调用可能会返回一个嵌入了..部分的路径,然后abspath移除。

答案 2 :(得分:5)

在外行术语中,如果您尝试获取快捷方式文件的路径,则绝对路径会提供快捷方式位置中存在的文件的完整路径,而realpath会提供原始位置文件的路径。

绝对路径os.path.abspath()给出了文件的完整路径,该路径位于当前工作目录或您提到的目录中。

Real path,os.path.realpath(),给出了被引用文件的完整路径。

例如:

file = "shortcut_folder/filename"
os.path.abspath(file) = "C:/Desktop/shortcut_folder/filename"
os.path.realpath(file) = "D:/PyCharmProjects/Python1stClass/filename"