Python 标准库的 ConfigParser 模块提供一套 API 来读取和操作配置文件。
a) 配置文件中包含一个或多个 section, 每个 section 有自己的 option;
b) section 用 [sect_name] 表示,每个option是一个键值对,使用分隔符 = 或 : 隔开;
c) 在 option 分隔符两端的空格会被忽略掉
d) 配置文件使用 # 和 ; 注释
一个简单的配置文件样例 app.conf
# database source
[db]
host = 127.0.0.1
port = 3306
user = root
pass = root
# ssh
[ssh]
host = 192.168.1.101
user = huey
pass = huey
ConfigParser 的基本操作
a) 实例化 ConfigParser 并加载配置文件
cp = ConfigParser.SafeConfigParser()
cp.read('myapp.conf')
b) 获取 section 列表、option 键列表和 option 键值元组列表
print 'all sections:', cp.sections() # sections: ['db', 'ssh']
print 'options of [db]:', cp.options('db') # options of [db]: ['host', 'port', 'user', 'pass']
print 'items of [ssh]:', cp.items('ssh') # items of [ssh]: [('host', '192.168.1.101'), ('user', 'huey'), ('pass', 'huey')]
c) 读取指定的配置信息
print 'host of db:', cp.get('db', 'host') # host of db: 127.0.0.1
print 'host of ssh:', cp.get('ssh', 'host') # host of ssh: 192.168.1.101
d) 按类型读取配置信息:getint、 getfloat 和 getboolean
print type(cp.getint('db', 'port')) #
配置文件如果包含 Unicode 编码的数据,需要使用 codecs 模块以合适的编码打开配置文件。
myapp.conf
[msg] hello = 你好
config.py
import ConfigParser
import codecs
cp = ConfigParser.SafeConfigParser()
with codecs.open('app.conf', 'r', encoding='utf-8') as f:
cp.readfp(f)
print cp.get('msg', 'hello')
复制代码
参考:http://www.cnblogs.com/victorwu/p/5762931.html