Python学习第二阶段Day2(json/pickle)、 shelve、xml、PyYAML、configparser、hashlib模块
1.json/pickle 略。
2.shelve模块
import shelve # shelve 以key value的形式序列化,value为对象
class Foo(object):
def __init__(self, n):
self.n = n
s = shelve.open("shelve_test")
name = ["alex", "rain", "test"]
s["test"] = name
s["a"] = Foo(1)
s["b"] = Foo(2) # 反序列化,提取对象 print(s.items()) # 提取所有
print(s.get("test")) # 提取单个 s.close()
3.xml的处理
xml文件:country.xml
<?xml version="1.0"?>
<data>
<country name="Liechtenstein">
<rank updated="yes">2</rank>
<year>2008</year>
<gdppc>141100</gdppc>
<neighbor name="Austria" direction="E"/>
<neighbor name="Switzerland" direction="W"/>
</country>
<country name="Singapore">
<rank updated="yes">5</rank>
<year>2011</year>
<gdppc>59900</gdppc>
<neighbor name="Malaysia" direction="N"/>
</country>
<country name="Panama">
<rank updated="yes">69</rank>
<year>2011</year>
<gdppc>13600</gdppc>
<neighbor name="Costa Rica" direction="W"/>
<neighbor name="Colombia" direction="E"/>
</country>
</data>
遍历等处理:
import xml.etree.ElementTree as ET tree = ET.parse("country.xml")
root = tree.getroot() # data 根节点 '''
一般的节点<tag attrib="value"> text <tag/>
自结束标签<tag attrib="value"/>
''' # 遍历xml文档
for child in root:
print(child.tag, child.attrib)
for i in child:
print(i.tag, i.text) # 只遍历year 节点
for node in root.iter('year'):
print(node.tag, node.text)
修改和删除:
import xml.etree.ElementTree as ET tree = ET.parse("country.xml")
root = tree.getroot() # 修改
for node in root.iter('year'):
new_year = int(node.text) + 1
node.text = str(new_year)
node.set("updated", "yes") tree.write("country.xml") # 删除node
for country in root.findall('country'): # 或者root.iter('country')
rank = int(country.find('rank').text)
if rank > 50:
root.remove(country) tree.write('country.xml')
生成xml文件:
import xml.etree.ElementTree as ET new_xml = ET.Element("infolist")
info = ET.SubElement(new_xml, "info", attrib={"enrolled": "yes"})
name = ET.SubElement(info, "name")
name.text = 'akira'
age = ET.SubElement(info, "age", attrib={"checked": "no"})
age.text = ''
sex = ET.SubElement(info, "sex")
sex.text = 'F' info1 = ET.SubElement(new_xml, "info", attrib={"enrolled": "yes"})
name1 = ET.SubElement(info1, "name")
name1.text = 'alen'
age1 = ET.SubElement(info1, "age", attrib={"checked": "no"})
age1.text = ''
sex1 = ET.SubElement(info1, "sex")
sex1.text = 'M' et = ET.ElementTree(new_xml) # 生成文档对象
et.write("test.xml", encoding="utf-8", xml_declaration=True)
# <?xml version='1.0' encoding='utf-8'?>
ET.dump(new_xml) # 打印生成的格
生成的xml内容:
<?xml version='1.0' encoding='utf-8'?>
<infolist>
<info enrolled="yes">
<name>akira</name>
<age checked="no">33</age>
<sex>F</sex>
</info>
<info enrolled="yes">
<name>alen</name>
<age checked="no">22</age>
<sex>M</sex>
</info>
</infolist>
4.YAML
Python也可以很容易的处理ymal文档格式,只不过需要安装一个模块,参考文档:http://pyyaml.org/wiki/PyYAMLDocumentation
例如下面的格式
/etc/http/conf/http.conf:
file.managed:
- source: salt://apache/http.conf
- user: root
- group: root
- mode: 644
- template: jinja
- defaults:
custom_var: "default value"
other_var: 123
5.configparser
修改配置文件的,格式:
[DEFAULT]
ServerAliveInterval = 45
Compression = yes
CompressionLevel = 9
ForwardX11 = yes [bitbucket.org]
User = hg [topsecret.server.com]
Port = 50022
ForwardX11 = no
解析:(读取配置文件,并查询条目)
import configparser conf = configparser.ConfigParser()
conf.read("example.conf")
print(conf.defaults()) # DEFAULT下的条目:
# ["ServerAliveInterval":45,"Compression","yes"...]
print(conf.sections()) # 所有选项除DEFAULT:["bitbucket.org","topsecret.server.com"] print(conf["DEFAULT"]["ForwardX11"]) # DEFAULT选项中的"ForwardX11"的值
print(conf["bitbucket.org"]["User"])
print(conf["topsecret.server.com"]["Port"]) for key in conf["DEFAULT"]: # 遍历DEFAULT条目
print(key, conf["DEFAULT"][key])
写入:
import configparser conf = configparser.ConfigParser() # 创建配置文件对象
conf.read("example.conf") # 读取配置文件 conf.write(open("filename.conf", "w")) # 配置文件对象写入文件
用Python生成这个文档:
import configparser config = configparser.ConfigParser()
config["DEFAULT"] = {'ServerAliveInterval': '',
'Compression': 'yes',
'CompressionLevel': ''} config['bitbucket.org'] = {}
config['bitbucket.org']['User'] = 'hg'
config['topsecret.server.com'] = {}
topsecret = config['topsecret.server.com']
topsecret['Host Port'] = '' # mutates the parser
topsecret['ForwardX11'] = 'no' # same here
config['DEFAULT']['ForwardX11'] = 'yes'
with open('example.ini', 'w') as configfile:
config.write(configfile)
“增,删,改”:
import ConfigParser config = ConfigParser.ConfigParser()
config.read('i.cfg') # ########## 读 ##########
#secs = config.sections()
#print secs
#options = config.options('group2')
#print options #item_list = config.items('group2')
#print item_list #val = config.get('group1','key')
#val = config.getint('group1','key') # ########## 改写 ##########
#sec = config.remove_section('group1')
#config.write(open('i.cfg', "w")) #sec = config.has_section('wupeiqi')
#sec = config.add_section('wupeiqi')
#config.write(open('i.cfg', "w")) #config.set('group2','k1',11111)
#config.write(open('i.cfg', "w")) #config.remove_option('group2','age')
#config.write(open('i.cfg', "w"))
6、hashlib
加密相关操作,3.x里代替了md5和sha模块,提供 SHA1 , 224,256,384,512,MD5算法,MD5算法是hash散列表的一种实现,也是应用最广泛的一种
hashlib,hash字符串转数字,字典就是用hash做的,字符串排序,存取速度快,
网站防篡改报警功能,定时wget网站首页,如果文件没有变更,MD5值不变
SHA1----MD5 越来越复杂,越来越安全,都是基于hash的
hmac消息加密速度比较快
中文需要 ("中文".encode(encoding="utf8")) MD5的加密,其他SHA..一样的用法
import hashlib # 先加hello, 再加world
m = hashlib.md5()
m.update("hello".encode("utf8"))
print(type("hello".encode("utf8"))) # <class 'bytes'>
m.update("world".encode("utf8"))
print(m.digest()) # MD5 二进制表示b'\xfc^\x03\x8d8\xa5p2\x08TA\xe7\xfep\x10\xb0'
print(m.hexdigest()) # 十六进制表示fc5e038d38a57032085441e7fe7010b0 # 直接helloworld
m1 = hashlib.md5()
m1.update("helloworld".encode("utf8"))
print(m.digest()) # b'\xfc^\x03\x8d8\xa5p2\x08TA\xe7\xfep\x10\xb0'
print(m.hexdigest()) # fc5e038d38a57032085441e7fe7010b0
还不够吊?python 还有一个 hmac 模块,它内部对我们创建 key 和 内容 再进行处理然后再加密
散列消息鉴别码,简称HMAC,是一种基于消息鉴别码MAC(Message Authentication Code)的鉴别机制。使用HMAC时,消息通讯的双方,通过验证消息中加入的鉴别密钥K来鉴别消息的真伪;
一般用于网络通信中消息加密,前提是双方先要约定好key,就像接头暗号一样,然后消息发送把用key把消息加密,接收方用key + 消息明文再加密,拿加密后的值 跟 发送者的相对比是否相等,这样就能验证消息的真实性,及发送者的合法性了。
import hmac
h = hmac.new('天王盖地虎'.encode("utf8"), '宝塔镇河妖'.encode("utf8"))
print (h.hexdigest())
Python学习第二阶段Day2(json/pickle)、 shelve、xml、PyYAML、configparser、hashlib模块的更多相关文章
- Python学习笔记——基础篇【第六周】——json & pickle & shelve & xml处理模块
json & pickle 模块(序列化) json和pickle都是序列化内存数据到文件 json和pickle的区别是: json是所有语言通用的,但是只能序列化最基本的数据类型(字符串. ...
- python 序列化及其相关模块(json,pickle,shelve,xml)详解
什么是序列化对象? 我们把对象(变量)从内存中编程可存储或传输的过程称之为序列化,在python中称为pickle,其他语言称之为serialization ,marshalling ,flatter ...
- Python全栈开发记录_第八篇(模块收尾工作 json & pickle & shelve & xml)
由于上一篇篇幅较大,留下的这一点内容就想在这里说一下,顺便有个小练习给大家一起玩玩,首先来学习json 和 pickle. 之前我们学习过用eval内置方法可以将一个字符串转成python对象,不过, ...
- python序列化及其相关模块(json,pickle,shelve,xml)详解
什么是序列化对象? 我们把对象(变量)从内存中编程可存储或传输的过程称之为序列化,在python中称为pickle,其他语言称之为serialization ,marshalling ,flatter ...
- Python day19 模块介绍3(sys,json,pickle,shelve,xml)
1.sys模块 import sys sys.path()#打印系统path sys.version()#解释程序版本信息 sys.platform()#系统平台 sys.exit(0)#退出程序 c ...
- python笔记-7(shutil/json/pickle/shelve/xml/configparser/hashlib模块)
一.shutil模块--高级的文件.文件夹.压缩包处理模块 1.通过句柄复制内容 shutil.copyfileobj(f1,f2)对文件的复制(通过句柄fdst/fsrc复制文件内容) 源码: Le ...
- PYTHON-模块 json pickle shelve xml
""" pickle 和 shevle 序列化后得到的数据 只有python才能解析 通常企业开发不可能做一个单机程序 都需要联网进行计算机间的交互 我们必须保证这个数据 ...
- 常用模块(json/pickle/shelve/XML)
一.json模块(重点) 一种跨平台的数据格式 也属于序列化的一种方式 介绍模块之前,三个问题: 序列化是什么? 我们把对象(变量)从内存中变成可存储或传输的过程称之为序列化. 反序列化又是什么? 将 ...
- json/pickle/shelve/xml/configparser/hashlib/subprocess - 总结
序列化:序列化指把内存里的数据类型转成字符串,以使其能存储到硬盘或通过网络传输到远程,因为硬盘或网络传输时只能接受bytes为什么要序列化:可以直接把内存数据(eg:10个列表,3个嵌套字典)存到硬盘 ...
随机推荐
- Java 相关计数问题及其实现
数(三声)数(四声)问题自然使用非负整数: 0. 一个类作为一个计数器 java 语法 -- final class Counter { private static long counter; pr ...
- 使用Advanced Installer14.3 简单打包windows窗体应用程序
1.新建项目工程(我使用的是企业版) 2.完善产品细节 3.应用程序文件夹 a.自动同步文件夹(也可以右键添加文件或文件夹) b.新建卸载快捷方式 c.卸载清理 4.安装参数 5.媒介配置 6.生成或 ...
- bzoj 1034: [ZJOI2008]泡泡堂BNB【贪心】
是贪心 先把两个数组排序,然后贪心的选让a数组占优的(如果没有就算输),这是最大值,最小值是2n-贪心选b数组占优 #include<iostream> #include<cstdi ...
- [App Store Connect帮助]四、添加 App 图标、App 预览和屏幕快照(4)为其他设备尺寸和本地化内容添加屏幕快照和预览
如果您不想在其他设备尺寸上使用经过缩放的高分辨率屏幕快照或 App 预览,您可以使用“媒体管理”为其他设备尺寸和本地化内容添加自定屏幕快照. 屏幕快照和 App 预览仅在 App 状态为可编辑时才能进 ...
- Java 添加、回复、修改(替换)、删除Word批注
批注是一种常用于对特定文档内容进行注解的工具或方法,起到解释说明.标记指正的作用.在本篇文章中,将介绍如何操作Word批注的方法,包括: 1. 添加批注:添加文本到批注.插入图片到批注: 2. 回复批 ...
- centos 7 配置php
对于我们的目的而言,安装 Apache 只需要在 CentOS 命令终端敲入这条命令就行了: $ sudo yum install httpd $ sudo systemctl enable http ...
- hdu 4104 Discount
http://acm.hdu.edu.cn/showproblem.php?pid=4104 一开始还以为这题是背包,然后优化下这个背包,但是一直都优化不出来. 然后题解是直接模拟而已,唉 先从小到大 ...
- HTTP的报文格式、GET和POST格式解析
1. HTTP报文格式 HTTP报文是面向文本的,报文中的每一个字段都是一些ASCII码串,各个字段的长度是不确定的.HTTP有两类报文:请求报文和响应报文.请求报文一个HTTP请求报文由请求行(re ...
- 后台管理进程GameMaster
初步准备在后台加一个进程,用来控制进程中的各种数据,修改,查看,删除玩家数据类似于后端的gm控制平台
- 《CSS世界》学习笔记(一)
<CSS世界>,张鑫旭著,人民邮电出版社,2017年12月第一版. 1.P9二维码链接文章的demo值得一看,可以实现有关“某些区域颜色始终保持一致”的效果. P9二维码所链接文章的一个d ...