如果一个文件存在,那么以读/写的方式打开它,或者如果它不存在,那么创建它并以读/写的方式打开它,最好的方法是什么?从我读到的,file = open('myfile.dat', 'rw')应该这样做,对吗?

它不适合我(Python 2.6.2),我想知道这是版本问题,还是不应该这样工作或其他什么。

最重要的是,我只需要一个解决问题的办法。我对其他的东西很好奇,但我只需要一个好方法来做开头部分。

封闭的目录可由用户和组写入,而不是其他(我在Linux系统上…所以权限775换句话说),准确的错误是:

IOError:没有这样的文件或目录。


当前回答

如果你想打开它来读写,我假设你不想在打开它的时候截断它,你想在打开它之后能够读取文件。这就是我使用的解决方案:

file = open('myfile.dat', 'a+')
file.seek(0, 0)

其他回答

你想怎么处理这些文件?只写还是读写都写?

'w', 'a'将允许写入,如果文件不存在,将创建该文件。

如果您需要从文件中读取,则该文件必须在打开之前存在。您可以在打开它之前测试它是否存在,或者使用try/except。

import os, platform
os.chdir('c:\\Users\\MS\\Desktop')

try :
    file = open("Learn Python.txt","a")
    print('this file is exist')
except:
    print('this file is not exist')
file.write('\n''Hello Ashok')

fhead = open('Learn Python.txt')

for line in fhead:

    words = line.split()
print(words)

对于Python 3+,我将这样做:

import os

os.makedirs('path/to/the/directory', exist_ok=True)

with open('path/to/the/directory/filename', 'w') as f:
    f.write(...)

因此,问题在于open不能在目标目录存在之前创建文件。我们需要创建它,在这种情况下w模式就足够了。

Open ('myfile.dat', 'a')适合我,没问题。

在py3k中,你的代码会引发ValueError:

>>> open('myfile.dat', 'rw')
Traceback (most recent call last):
  File "<pyshell#34>", line 1, in <module>
    open('myfile.dat', 'rw')
ValueError: must have exactly one of read/write/append mode

在python-2.6中,它会引发IOError。

从python 3.4开始,你应该使用pathlib来“触摸”文件。 这是一个比本文中建议的更优雅的解决方案。

from pathlib import Path

filename = Path('myfile.txt')
filename.touch(exist_ok=True)  # will create file, if it exists will do nothing
file = open(filename)

目录也是一样:

filename.mkdir(parents=True, exist_ok=True)