简介
想写一个登录注册的demo,但是以前的demo数据都写在程序里面,每一关掉程序数据就没保存住。。
于是想着写到配置文件里好了
Python自身提供了一个Module - configparser,来进行对配置文件的读写
Configuration file parser.
A configuration file consists of sections, lead by a “[section]” header,
and followed by “name: value” entries, with continuations and such in
the style of RFC 822.
Note The ConfigParser module has been renamed to configparser in Python 3. The 2to3 tool will automatically adapt imports when converting your sources to Python 3.
在py2中,该模块叫ConfigParser,在py3中把字母全变成了小写。本文以py3为例
类
ConfigParser的属性和方法
ConfigParser -- responsible for parsing a list of configuration files, and managing the parsed database. methods: __init__(defaults=None, dict_type=_default_dict, allow_no_value=False, delimiters=('=', ':'), comment_prefixes=('#', ';'), inline_comment_prefixes=None, strict=True, empty_lines_in_values=True, default_section='DEFAULT', interpolation=<unset>, converters=<unset>): Create the parser. When `defaults' is given, it is initialized into the dictionary or intrinsic defaults. The keys must be strings, the values must be appropriate for %()s string interpolation. When `dict_type' is given, it will be used to create the dictionary objects for the list of sections, for the options within a section, and for the default values. When `delimiters' is given, it will be used as the set of substrings that divide keys from values. When `comment_prefixes' is given, it will be used as the set of substrings that prefix comments in empty lines. Comments can be indented. When `inline_comment_prefixes' is given, it will be used as the set of substrings that prefix comments in non-empty lines. When `strict` is True, the parser won't allow for any section or option duplicates while reading from a single source (file, string or dictionary). Default is True. When `empty_lines_in_values' is False (default: True), each empty line marks the end of an option. Otherwise, internal empty lines of a multiline option are kept as part of the value. When `allow_no_value' is True (default: False), options without values are accepted; the value presented for these is None. When `default_section' is given, the name of the special section is named accordingly. By default it is called ``"DEFAULT"`` but this can be customized to point to any other valid section name. Its current value can be retrieved using the ``parser_instance.default_section`` attribute and may be modified at runtime. When `interpolation` is given, it should be an Interpolation subclass instance. It will be used as the handler for option value pre-processing when using getters. RawConfigParser objects don't do any sort of interpolation, whereas ConfigParser uses an instance of BasicInterpolation. The library also provides a ``zc.buildbot`` inspired ExtendedInterpolation implementation. When `converters` is given, it should be a dictionary where each key represents the name of a type converter and each value is a callable implementing the conversion from string to the desired datatype. Every converter gets its corresponding get*() method on the parser object and section proxies. sections() Return all the configuration section names, sans DEFAULT. has_section(section) Return whether the given section exists. has_option(section, option) Return whether the given option exists in the given section. options(section) Return list of configuration options for the named section. read(filenames, encoding=None) Read and parse the iterable of named configuration files, given by name. A single filename is also allowed. Non-existing files are ignored. Return list of successfully read files. read_file(f, filename=None) Read and parse one configuration file, given as a file object. The filename defaults to f.name; it is only used in error messages (if f has no `name' attribute, the string `<"color: #ff0000">配置文件的数据格式下面的config.ini展示了配置文件的数据格式,用中括号[]括起来的为一个section例如Default、Color;每一个section有多个option,例如serveraliveinterval、compression等。
option就是我们用来保存自己数据的地方,类似于键值对 optionname = value 或者是optionname : value (也可以设置允许空值)[Default] serveraliveinterval = 45 compression = yes compressionlevel = 9 forwardx11 = yes values like this: 1000000 or this: 3.14159265359 [No Values] key_without_value empty string value here = [Color] isset = true version = 1.1.0 orange = 150,100,100 lightgreen = 0,220,0数据类型
在py configparser保存的数据中,value的值都保存为字符串类型,需要自己转换为自己需要的数据类型
Config parsers do not guess datatypes of values in configuration files, always storing them internally as strings. This means that if you need other datatypes, you should convert on your own:
例如
> int(topsecret['Port']) 50022 > float(topsecret['CompressionLevel']) 9.0常用方法method
打开配置文件
import configparser file = 'config.ini' # 创建配置文件对象 cfg = configparser.ConfigParser(comment_prefixes='#') # 读取配置文件 cfg.read(file, encoding='utf-8')这里只打开不做什么读取和改变
读取配置文件的所有section
file处替换为对应的配置文件即可
import configparser file = 'config.ini' cfg = configparser.ConfigParser(comment_prefixes='#') cfg.read(file, encoding='utf-8') # 获取所有section sections = cfg.sections() # 显示读取的section结果 print(sections)判断有没有对应的section!!!
当没有对应的section就直接操作时程序会非正常结束
import configparser file = 'config.ini' cfg = configparser.ConfigParser(comment_prefixes='#') cfg.read(file, encoding='utf-8') if cfg.has_section("Default"): # 有没有"Default" section print("存在Defaul section") else: print("不存在Defaul section")判断section下对应的Option
import configparser file = 'config.ini' cfg = configparser.ConfigParser(comment_prefixes='#') cfg.read(file, encoding='utf-8') # 检测Default section下有没有"CompressionLevel" option if cfg.cfg.has_option('Default', 'CompressionLevel'): print("存在CompressionLevel option") else: print("不存在CompressionLevel option")添加section和option
最最重要的事情: 最后一定要写入文件保存!!!不然程序修改的结果不会修改到文件里
- 添加section前要检测是否存在,否则存在重名的话就会报错程序非正常结束
- 添加option前要确定section存在,否则同1
option在修改时不存在该option就会创建该option
import configparser file = 'config.ini' cfg = configparser.ConfigParser(comment_prefixes='#') cfg.read(file, encoding='utf-8') if not cfg.has_section("Color"): # 不存在Color section就创建 cfg.add_section('Color') # 设置sectin下的option的value,如果section不存在就会报错 cfg.set('Color', 'isset', 'true') cfg.set('Color', 'version', '1.1.0') cfg.set('Color', 'orange', '150,100,100') # 把所作的修改写入配置文件 with open(file, 'w', encoding='utf-8') as configfile: cfg.write(configfile)
删除option
import configparser file = 'config.ini' cfg = configparser.ConfigParser(comment_prefixes='#') cfg.read(file, encoding='utf-8') cfg.remove_option('Default', 'CompressionLevel' # 把所作的修改写入配置文件 with open(file, 'w', encoding='utf-8') as configfile: cfg.write(configfile)
删除section
删除section的时候会递归自动删除该section下面的所有option,慎重使用
import configparser file = 'config.ini' cfg = configparser.ConfigParser(comment_prefixes='#') cfg.read(file, encoding='utf-8') cfg.remove_section('Default') # 把所作的修改写入配置文件 with open(file, 'w', encoding='utf-8') as configfile: cfg.write(configfile)
实例
创建一个配置文件
import configparser file = 'config.ini' # 创建配置文件对象 cfg = configparser.ConfigParser(comment_prefixes='#') # 读取配置文件 cfg.read(file, encoding='utf-8')``` # 实例 ## 创建一个配置文件 下面的demo介绍了如何检测添加section和设置value ```python #!/usr/bin/env python # -*- encoding: utf-8 -*- ''' @File : file.py @Desc : 使用configparser读写配置文件demo @Author : Kearney @Contact : 191615342@qq.com @Version : 0.0.0 @License : GPL-3.0 @Time : 2020/10/20 10:23:52 ''' import configparser file = 'config.ini' # 创建配置文件对象 cfg = configparser.ConfigParser(comment_prefixes='#') # 读取配置文件 cfg.read(file, encoding='utf-8') if not cfg.has_section("Default"): # 有没有"Default" section cfg.add_section("Default") # 没有就创建 # 设置"Default" section下的option的value # 如果这个section不存在就会报错,所以上面要检测和创建 cfg.set('Default', 'ServerAliveInterval', '45') cfg.set('Default', 'Compression', 'yes') cfg.set('Default', 'CompressionLevel', '9') cfg.set('Default', 'ForwardX11', 'yes') if not cfg.has_section("Color"): # 不存在Color就创建 cfg.add_section('Color') # 设置sectin下的option的value,如果section不存在就会报错 cfg.set('Color', 'isset', 'true') cfg.set('Color', 'version', '1.1.0') cfg.set('Color', 'orange', '150,100,100') cfg.set('Color', 'lightgreen', '0,220,0') if not cfg.has_section("User"): cfg.add_section('User') cfg.set('User', 'iscrypted', 'false') cfg.set('User', 'Kearney', '191615342@qq.com') cfg.set('User', 'Tony', 'backmountain@gmail.com') # 把所作的修改写入配置文件,并不是完全覆盖文件 with open(file, 'w', encoding='utf-8') as configfile: cfg.write(configfile)
跑上面的程序就会创建一个config.ini的配置文件,然后添加section和option-value
文件内容如下所示
[Default] serveraliveinterval = 45 compression = yes compressionlevel = 9 forwardx11 = yes [Color] isset = true version = 1.1.0 orange = 150,100,100 lightgreen = 0,220,0 [User] iscrypted = false kearney = 191615342@qq.com tony = backmountain@gmail.com
References
Configuration file parser - py2
Configuration file parser - py3
python读取配置文件(ini、yaml、xml)-ini只读不写。。
python 编写配置文件 - open不规范,注释和上一篇参考冲突
免责声明:本站文章均来自网站采集或用户投稿,网站不提供任何软件下载或自行开发的软件! 如有用户或公司发现本站内容信息存在侵权行为,请邮件告知! 858582#qq.com
RTX 5090要首发 性能要翻倍!三星展示GDDR7显存
三星在GTC上展示了专为下一代游戏GPU设计的GDDR7内存。
首次推出的GDDR7内存模块密度为16GB,每个模块容量为2GB。其速度预设为32 Gbps(PAM3),但也可以降至28 Gbps,以提高产量和初始阶段的整体性能和成本效益。
据三星表示,GDDR7内存的能效将提高20%,同时工作电压仅为1.1V,低于标准的1.2V。通过采用更新的封装材料和优化的电路设计,使得在高速运行时的发热量降低,GDDR7的热阻比GDDR6降低了70%。
更新日志
- 《暗喻幻想》顺风耳作用介绍
- 崔健1985-梦中的倾诉[再版][WAV+CUE]
- 黄子馨《追星Xin的恋人们2》HQ头版限量编号[WAV+CUE]
- 孟庭苇《情人的眼泪》开盘母带[低速原抓WAV+CUE]
- 孙露《谁为我停留HQCD》[低速原抓WAV+CUE][1.1G]
- 孙悦《时光音乐会》纯银CD[低速原抓WAV+CUE][1.1G]
- 任然《渐晚》[FLAC/分轨][72.32MB]
- 英雄联盟新英雄安蓓萨上线了吗 新英雄安蓓萨技能介绍
- 魔兽世界奥杜尔竞速赛什么时候开启 奥杜尔竞速赛开启时间介绍
- 无畏契约CGRS准星代码多少 CGRS准星代码分享一览
- 张靓颖.2012-倾听【少城时代】【WAV+CUE】
- 游鸿明.1999-五月的雪【大宇国际】【WAV+CUE】
- 曹方.2005-遇见我【钛友文化】【WAV+CUE】
- Unity6引擎上线:稳定性提升、CPU性能最高提升4倍
- 人皇Sky今日举行婚礼!电竞传奇步入新篇章