有没有比使用读/写任何文件(如txt文件等)更方便的写入python文件的方法。
我的意思是python知道python文件的实际结构是什么,所以如果我需要写入它,也许还有一些更方便的方法呢?
如果没有这样的方式(或者它太复杂了),那么通常使用普通write
(下面的示例)正常修改python文件的最佳方法是什么?
我的子目录中有很多这些文件叫做:
__config__.py
这些文件用作配置。他们有未分配的python字典,如下所示:
{
'name': 'Hello',
'version': '0.4.1'
}
所以我需要做的是写入所有__config__.py
个新版本的文件(例如'version': '1.0.0'
)。
更新
更具体地说,假设有一个python文件,其内容如下:
# Some important comment
# Some other important comment
{
'name': 'Hello',
'version': '0.4.1'
}
# Some yet another important comment
现在运行一些python脚本,它应该写入修改给定字典的python文件,写完后输出应该是这样的:
# Some important comment
# Some other important comment
{
'name': 'Hello',
'version': '1.0.0'
}
# Some yet another important comment
换句话说,写入应该只修改version
键值,其他所有内容都应该像写入之前一样保留。
答案 0 :(得分:0)
我提出了解决方案。它不是很干净,但它的工作原理。如果有人有更好的答案,请写下来。
content = ''
file = '__config__.py'
with open(file, 'r') as f:
content = f.readlines()
for i, line in enumerate(content):
# Could use regex too here
if "'version'" in line or '"version"' in line:
key, val = line.split(':')
val = val.replace("'", '').replace(',', '')
version_digits = val.split('.')
major_version = float(version_digits[0])
if major_version < 1:
# compensate for actual 'version' substring
key_end_index = line.index('version') + 8
content[i] = line[:key_end_index] + ": '1.0.0',\n"
with open(file, 'w') as f:
if content:
f.writelines(content)
答案 1 :(得分:0)
为了修改配置文件,您可以这样做:
import fileinput
lines = fileinput.input("__config__.py", inplace=True)
nameTag="\'name\'"
versionTag="\'version\'"
name=""
newVersion="\'1.0.0\'"
for line in lines:
if line[0] != "'":
print(line)
else:
if line.startswith(nameTag):
print(line)
name=line[line.index(':')+1:line.index(',')]
if line.startswith(versionTag):
new_line = versionTag + ": " + newVersion
print(new_line)
请注意,此处的print函数实际上是写入文件。 有关打印功能如何为您写作的更多详细信息,请参阅here
我希望它有所帮助。