0

我需要在名为 config.ini 的配置文件中搜索名为 jvm_args 的某个参数

**contents of config.ini:
first_paramter=some_value1
second_parameter=some_value2
jvm_args=some_value3**

我需要知道如何在我的文件中找到此参数并将某些内容附加到它的值(即附加一个字符串到字符串 some_value3)。

4

4 回答 4

2

如果您“只是”想在 ini 文件中查找键和值,我认为 configparser 模块比使用正则表达式更好。但是,configparser 断言该文件具有“部分”。

configparser 的文档在这里:http ://docs.python.org/library/configparser.html - 底部有用的示例。configparser 还可用于设置值和写出新的 .ini 文件。

输入文件:

$ cat /tmp/foo.ini 
[some_section]
first_paramter = some_value1
second_parameter = some_value2
jvm_args = some_value3

代码:

#!/usr/bin/python3

import configparser

config = configparser.ConfigParser()
config.read("/tmp/foo.ini")
jvm_args = config.get('some_section', 'jvm_args')
print("jvm_args was: %s" % jvm_args)

config.set('some_section', 'jvm_args', jvm_args + ' some_value4')
with open("/tmp/foo.ini", "w") as fp:
    config.write(fp)

输出文件:

$ cat /tmp/foo.ini
[some_section]
first_paramter = some_value1
second_parameter = some_value2
jvm_args = some_value3 some_value4
于 2012-06-13T06:06:41.263 回答
1

您可以使用re.sub

import re
import os

file = open('config.ini')
new_file = open('new_config.ini', 'w')
for line in file:
    new_file.write(re.sub(r'(jvm_args)\s*=\s*(\w+)', r'\1=\2hello', line))
file.close()
new_file.close()

os.remove('config.ini')
os.rename('new_config.ini', 'config.ini')

还要检查ConfigParser

于 2012-06-13T05:37:20.157 回答
0

没有regex你可以尝试:

with open('data1.txt','r') as f:
    x,replace=f.read(),'new_entry'
    ind=x.index('jvm_args=')+len('jvm_args=')
    end=x.find('\n',ind) if x.find('\n',ind)!=-1 else x.rfind('',ind)
    x=x.replace(x[ind:end],replace)

with open('data1.txt','w') as f:
    f.write(x)
于 2012-06-13T06:22:22.517 回答
0

正如 avasal 和 tobixen 所建议的,您可以使用 python ConfigParser模块来执行此操作。例如,我采用了这个“config.ini”文件:

[section]
framter = some_value1
second_parameter = some_value2
jvm_args = some_value3**

并运行这个 python 脚本:

import ConfigParser

p = ConfigParser.ConfigParser()
p.read("config.ini")
p.set("section", "jvm_args", p.get("section", "jvm_args") + "stuff")
with open("config.ini", "w") as f:
    p.write(f)

运行脚本后“config.ini”文件的内容为:

[section]
framter = some_value1
second_parameter = some_value2
jvm_args = some_value3**stuff
于 2012-06-13T06:09:59.030 回答