0

我想从配置文件中获取 15 个值并将它们存储在单独的变量中。

我在用

from ConfigParser import SafeConfigParser

parser = SafeConfigParser()
parser.read(configFile)

这是一个非常好的图书馆。

选项1

如果我更改变量的名称并希望它与配置文件条目匹配,我必须编辑函数中的相应行

def fromConfig():
    #open file
    localOne = parser.get(section, 'one')
    localTwo = parser.get(section, 'two')
    return one, two

one = ''
two = ''
#etc
one, two = fromConfig()

选项 #2

更清楚地看到变量从哪里获取它们的值,但是我会为每个变量打开和关闭文件

def getValueFromConfigFile(option):
    #open file
    value = parser.get(section, option)
    return value

one = getValueFromConfigFile("one")
two = getValueFromConfigFile("two")

选项#3

这个没有多大意义,因为我必须有另一个包含所有变量名的列表,但函数更简洁。

def getValuesFromConfigFile(options):
    #open file
    values = []
    for option in options:
        values.append(parser.get(section, option))

    return values

one = ''
two = ''
configList = ["one", "two"]
one, two = getValuesFromConfigFile(configList)

编辑: 这是我尝试读取文件一并将所有值存储在字典中,然后尝试使用他的值。我有一个多行字符串,我正在使用

%(nl)s to be a new line character so then when I get the value 
message = parser.get(section, 'message', vars={'nl':'\n'})

这是我的代码:

from ConfigParser import SafeConfigParser

def getValuesFromConfigFile(configFile):
    ''' reads a single section of a config file as a dict '''
    parser = SafeConfigParser()
    parser.read(configFile)
    section = parser.sections()[0]

    options = dict(parser.items(section))

    return options


options = getValuesFromConfigFile(configFile)

one = options["one"]
4

3 回答 3

2

要从单个部分获取值作为 dict:

options = dict(parser.items(section))

您可以像往常一样访问单个值:options["one"], options["two"]. 在 Python 3.2+ 中,configparser 本身提供了类似 dict 的访问。

为了灵活性,支持从各种源格式更新配置和/或集中配置管理;您可以定义封装解析/访问配置变量的自定义类,例如:

class Config(object):
    # ..    
    def update_from_ini(self, inifile):
        # read file..
        self.__dict__.update(parser.items(section))

在这种情况下,单个值可用作实例属性:config.one, config.two.

于 2013-02-04T22:28:44.860 回答
1

一个解决方案也可以使用字典和 json,这可以使事情变得非常简单和可重用

import json

def saveJson(fName, data):
    f = open(fName, "w+")
    f.write(json.dumps(data, indent=4))
    f.close()

def loadJson(fName):
    f = open(fName, "r")
    data = json.loads(f.read())
    f.close()
    return data

mySettings = {
    "one": "bla",
    "two": "blabla"
}

saveJson("mySettings.json", mySettings)
myMoadedSettings = loadJson("mySettings.json")

print myMoadedSettings["two"]
于 2013-02-04T21:59:07.367 回答
0

As a possible solution:

module_variables = globals() # represents the current global symbol table
for name in ('one', 'two'):
    module_variables[name] = parser.get(section, name)
print one, two
于 2013-02-04T21:19:47.423 回答