在配置文件中添加新部分而不使用ConfigParser覆盖它

时间:2013-08-06 21:05:08

标签: python

我正在用python编写代码。我有一个包含以下数据的confg文件:

[section1]
name=John
number=3

我正在使用ConfigParser模块在这个已经存在的confg文件中添加另一个部分而不覆盖它。但是当我使用下面的代码时:

config = ConfigParser.ConfigParser()
config.add_section('Section2')
config.set('Section2', 'name', 'Mary')
config.set('Section2', 'number', '6')
with open('~/test/config.conf', 'w') as configfile:
    config.write(configfile) 

它会覆盖该文件。我不想删除以前的数据。有什么方法可以再添加一个部分吗?如果我首先尝试获取和写入前面部分的数据,那么随着部分数量的增加,它将变得不整洁。

2 个答案:

答案 0 :(得分:3)

以追加模式而不是写入模式打开文件。使用' a'而不是' w'

示例:

config = configparser.RawConfigParser({'num threads': 1})
config.read('path/to/config')
try:
    NUM_THREADS = config.getint('queue section', 'num threads')
except configparser.NoSectionError:
    NUM_THREADS = 1
    config_update = configparser.RawConfigParser()
    config_update.add_section('queue section')
    config_update.set('queue section', 'num threads', NUM_THREADS)

    with open('path/to/config', 'ab') as f:
        config_update.write(f)

答案 1 :(得分:1)

您只需要在代码之间添加一条语句。

config.read('~/test/config.conf')

示例:

import configparser

config = configparser.ConfigParser()
config.read('config.conf')
config.add_section('Section2')
config.set('Section2', 'name', 'Mary')
config.set('Section2', 'number', '6')
with open('config.conf', 'w') as configfile:
    config.write(configfile)

当我们读取要追加的配置文件时,它会使用文件中的数据初始化配置对象。然后在添加新部分时,这些数据会附加到配置中……然后我们将这些数据写入同一个文件。

这可以是附加到配置文件的方法之一。