该模块适用于配置文件的格式与windows ini文件类似,可以包含一个或多个节(section),每个节可以有多个参数(option=value)。
作用及使用方法
1,处理配置文件
2,把配置文件作为一个大字典处理就行
1 # 写配置文件
2 import configparser
3
4 config = configparser.ConfigParser()
5 config["DEFAULT"] = {'ServerAliveInterval': '45',
6 'Compression': 'yes',
7 'CompressionLevel': '9',
8 'ForwardX11': 'yes'
9 }
10 config['bitbucket.org'] = {'User': 'hg'}
11 config['topsecret.server.com'] = {'Host Port': '50022', 'ForwardX11': 'no'}
12 config.write(open('example.ini', 'w'))
13
14 # 查找文件
15
16 config = configparser.ConfigParser()
17 # ---------------------------查找文件内容,基于字典的形式
18 config.read('example.ini')
19 print(config.sections()) # ['bitbucket.org', 'topsecret.server.com']
20 print(config.get('bitbucket.org', 'compression')) # yes get方法Section下的key对应的value
21 print(config['bitbucket.org'].get('user')) # hg
22 print(config['DEFAULT']['Compression']) # yes
23 print(config['bitbucket.org']) # <Section: bitbucket.org>
24 for key in config['bitbucket.org']: # 注意,有default会默认default的键
25 print(key)
26 print(config.options('bitbucket.org')) # 同for循环,找到'bitbucket.org'下所有键
27 print(config.items('bitbucket.org')) # 找到'bitbucket.org'下所有键值对
28
29 # 增删改
30
31 config = configparser.ConfigParser()
32 config.read('example.ini')
33 config.add_section('hahah')
34 config.remove_section('bitbucket.org')
35 config.remove_option('topsecret.server.com', "forwardx11")
36 config.set('topsecret.server.com', 'k1', '11111')
37 config.set('hahah', 'k2', '22222')
38 config.write(open('example.ini', "w"))