在Python中使用设置文件的最佳实践是什么?

我有一个命令行脚本,我运行了很多参数。我现在有太多的参数了,我也想有一些字典形式的参数。

所以为了简化事情,我想用设置文件来运行脚本。我真的不知道该使用什么库来解析文件。这样做的最佳实践是什么?我当然可以自己敲出一些东西,但如果有这样的库,我洗耳恭听。

一些“要求”:

  • 而不是使用pickle,我希望它是一个直接的文本文件,可以很容易地阅读和编辑。
  • 我希望能够在其中添加类似字典的数据,也就是说,应该支持某种形式的嵌套。

一个简化的伪示例文件:

truck:
color: blue
brand: ford
city: new york
cabriolet:
color: black
engine:
cylinders: 8
placement: mid
doors: 2
414479 次浏览

Yaml和Json是存储设置/配置的最简单和最常用的文件格式。PyYaml可以用来解析yaml。Json从2.5开始就已经是python的一部分。Yaml是Json的超集。Json可以解决大多数用例,除了需要转义的多行字符串。Yaml也会处理这些情况。

>>> import json
>>> config = {'handler' : 'adminhandler.py', 'timeoutsec' : 5 }
>>> json.dump(config, open('/tmp/config.json', 'w'))
>>> json.load(open('/tmp/config.json'))
{u'handler': u'adminhandler.py', u'timeoutsec': 5}

你可以有一个常规的Python模块,比如config.py,像这样:

truck = dict(
color = 'blue',
brand = 'ford',
)
city = 'new york'
cabriolet = dict(
color = 'black',
engine = dict(
cylinders = 8,
placement = 'mid',
),
doors = 2,
)

像这样使用它:

import config
print(config.truck['color'])

您提供的示例配置实际上是有效的YAML。事实上,YAML可以满足您的所有需求,它是用大量语言实现的,而且对人类非常友好。我强烈推荐你使用它。PyYAML项目提供了一个很好的python模块,它实现了YAML。

使用yaml模块非常简单:

import yaml
config = yaml.safe_load(open("path/to/config.yml"))
我发现这是最有用和最容易使用的 https://wiki.python.org/moin/ConfigParserExamples < / p >

你只需要创建一个"myfile.ini":

[SectionOne]
Status: Single
Name: Derek
Value: Yes
Age: 30
Single: True


[SectionTwo]
FavoriteColor=Green
[SectionThree]
FamilyName: Johnson


[Others]
Route: 66

并像这样检索数据:

>>> import ConfigParser
>>> Config = ConfigParser.ConfigParser()
>>> Config
<ConfigParser.ConfigParser instance at 0x00BA9B20>
>>> Config.read("myfile.ini")
['c:\\tomorrow.ini']
>>> Config.sections()
['Others', 'SectionThree', 'SectionOne', 'SectionTwo']
>>> Config.options('SectionOne')
['Status', 'Name', 'Value', 'Age', 'Single']
>>> Config.get('SectionOne', 'Status')
'Single'