为什么在python中找不到路径?

时间:2014-06-06 11:14:06

标签: python python-2.7 numpy matplotlib ioexception

我正在尝试使用python打开一个存在的文件,如果我在命令行中使用gedit打开它,则会完全打开。

但是,我收到以下错误消息:

andreas@ubuntu:~/Desktop/Thesis/Codes/ModifiedFiles$ python vis.py -f myoutputcsv.csv
Matplotlib version 1.3.1
Traceback (most recent call last):
  File "vis.py", line 1082, in <module>
    reliability_table = ReliabilityTable(reliability_table_file)
  File "vis.py", line 112, in __init__
    self.read(filename)
  File "vis.py", line 139, in read
    self.data = genfromtxt(filename, delimiter=',',comments='#', dtype=float)
  File "/usr/lib/python2.7/dist-packages/numpy/lib/npyio.py", line 1344, in genfromtxt
    fhd = iter(np.lib._datasource.open(fname, 'rbU'))
  File "/usr/lib/python2.7/dist-packages/numpy/lib/_datasource.py", line 147, in open
    return ds.open(path, mode)
  File "/usr/lib/python2.7/dist-packages/numpy/lib/_datasource.py", line 496, in open
    raise IOError("%s not found." % path)
IOError: ~/Desktop/Thesis/Codes/ModifiedFiles/reliability_table_2.csv not found.

你知道我做错了什么吗?我对python的经验很少,我找不到文件在命令行打开但不使用python的原因。

1 个答案:

答案 0 :(得分:5)

~(代字号)是 shell 扩展,而不是特殊的“文件系统扩展”。 因此,当在shell命令中找到时,~会直接扩展为当前用户

$echo ~
/home/username

但是如果在传递给python的文件对象的文件名中使用则不行。 python代码:

open('some/file/name')

相当于在shell中打开文件'some/file/name',我的意思是字面上,单引号可以防止包含扩展。

所以:

open('~/file.txt')

试图打开:

$echo '~/file.txt'
~/file.txt

而不是:

$echo ~/file.txt
/home/username/file.txt

这也在os.path模块的文档顶部说明:

  

与unix shell不同, Python不会进行任何自动路径扩展。   可以调用expanduser()expandvars()等函数   当应用程序需要类似shell的路径扩展时,显式地显式。 (看到   也是glob模块。)


实际上,您可以创建一个名为~的文件:

$touch '~'
$ls | grep '~'
~

单引号是必要的,因为touch ~只会在touch上执行/home/username而不会创建任何文件。

现在,如果您尝试删除它,则必须转义其名称,否则shell会将其扩展为/home/username

$echo ~
/home/username
$rm ~     # translation: "rm: cannot remove "/home/username": It's a directory"
rm: impossibile rimuovere "/home/username": È una directory
$rm '~'   # proper way to delete it

如果要扩展文件名中的~,请使用os.path.expanduser函数:

>>> import os.path
>>> os.path.expanduser('~/file.txt')
'/home/username/file.txt'

请注意,realpathabspath 展开~

>>> os.path.realpath('~/file.txt')
'/home/username/~/file.txt'
>>> os.path.abspath('~/file.txt')
'/home/username/~/file.txt'

所以,如果你想确保将用户在“shell language” 1 中给出的路径名转换成可用于python文件对象的绝对路径,你应该这样做:

os.path.abspath(os.path.expanduser(path))

1 不说sh / bash,因为它们是跨平台的。