1. 程式人生 > >python3 之configparser 模塊

python3 之configparser 模塊

app 所有 清空 __name__ 刪除 key range import pri

configparser 簡介

configparser 是 Pyhton 標準庫中用來解析配置文件的模塊,並且內置方法和字典非常接近
[db]
db_count = 3
1 = passwd
2 = data
3 = ddf
4 = haello

“[ ]”包含的為 section,section 下面為類似於 key - value 的配置內容;
configparser 默認支持 ‘=’ ‘:’ 兩種分隔。

import configparser
import os
def get_db():
config=configparser.ConfigParser() #調用配置操作句柄
config_sec=config.sections() #查看所有內容 現在還是[]
print(config_sec)
Filepath="/home/python/tmp/db.ini"
if os.path.exists(Filepath):
config.read(Filepath) #python3 中要用read
db_count=config.get("db","db_count") #查看db下面db_count的值
db_count=int(db_count) #轉化為數值
print(db_count)
print(config.items("db")) #查看所有的值


if __name__==‘__main__‘: #程序入口
get_db() #執行函數


>>> for i in config.items(‘db‘):
... print(i)
...
(‘db_count‘, ‘3‘)
(‘1‘, ‘passwd‘)
(‘2‘, ‘data‘)
(‘3‘, ‘ddf‘)
(‘4‘, ‘haello‘)


>>> config.get(‘db‘,‘1‘)
‘passwd‘

檢查:
>>> ‘1‘ in config[‘db‘]
True
>>> ‘passwd‘ in config[‘db‘]
False
>>>
添加:
>>> config.add_section(‘Section_1‘)
>>> config.set(‘Section_1‘, ‘key_1‘, ‘value_1‘) # 註意鍵值是用set()方法
>>> config.write(open(‘db.ini‘, ‘w‘)) # 一定要寫入才生效
刪除:
>>> config.remove_option(‘Section_1‘, ‘key_1‘)
True
>>> config.remove_section(‘Section_1‘)
True
>>> config.clear() # 清空除[DEFAULT]之外所有內容
>>> config.write(open(‘db.ini‘, ‘w‘))


import configparser
import os
def get_db():
config=configparser.ConfigParser()
config_sec=config.sections()
print(config_sec)
Filepath="/home/python/tmp/db.ini"
if os.path.exists(Filepath):
config.read(Filepath)
db_count=config.get("db","db_count")
db_count=int(db_count)
print(db_count)
print(config.items("db"))
allrules=[]
for a in range(1,db_count+1):
allrules.append(config.get("db",str(a)))
print( allrules)
else:
sys.exit(6)
if __name__==‘__main__‘:
get_db()

運行結果:
[]
3
[(‘db_count‘, ‘3‘), (‘1‘, ‘passwd‘), (‘2‘, ‘data‘), (‘3‘, ‘ddf‘), (‘4‘, ‘haello‘)]
[‘passwd‘, ‘data‘, ‘ddf‘]




python3 之configparser 模塊