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

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

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

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

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


当前回答

好的做法是使用以下方法:

import os

writepath = 'some/path/to/file.txt'

mode = 'a' if os.path.exists(writepath) else 'w'
with open(writepath, mode) as f:
    f.write('Hello, world!\n')

其他回答

'''
w  write mode
r  read mode
a  append mode

w+  create file if it doesn't exist and open it in write mode
r+  open for reading and writing. Does not create file.
a+  create file if it doesn't exist and open it in append mode
'''

例子:

file_name = 'my_file.txt'
f = open(file_name, 'w+')  # open file in write mode
f.write('python rules')
f.close()

[供参考,我使用的是Python 3.6.2版本]

以下方法的优点是在块的末尾正确地关闭文件,即使在此过程中引发异常。它相当于try(最终),但要短得多。

with open("file.dat","a+") as f:
    f.write(...)
    ...

a+打开文件进行追加和读取操作。文件指针为 如果文件存在,则在文件的末尾。文件在 追加模式。如果该文件不存在,则创建一个新文件 阅读和写作。-Python文件模式

Seek()方法设置文件的当前位置。

f.seek(pos [, (0|1|2)])
pos .. position of the r/w pointer
[] .. optionally
() .. one of ->
  0 .. absolute position
  1 .. relative position to current
  2 .. relative position from end

只允许“rwab+”字符;必须恰好有一个“rwa”-请参阅堆栈溢出问题Python文件模式详细信息。

应该是r+,不是rw。我只是一个初学者,这是我在文档中看到的。

所以你想写数据到一个文件,但只有当它还不存在?。

这个问题很容易通过使用鲜为人知的x模式来open()而不是通常的w模式来解决。例如:

 >>> with open('somefile', 'wt') as f:
 ...     f.write('Hello\n')
...
>>> with open('somefile', 'xt') as f:
...     f.write('Hello\n')
...
 Traceback (most recent call last):
 File "<stdin>", line 1, in <module>
FileExistsError: [Errno 17] File exists: 'somefile'
  >>>

如果文件是二进制模式,则使用模式xb而不是xt。

从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)