首页 > 其他分享 >模块(pickle、subprocess、正则re)

模块(pickle、subprocess、正则re)

时间:2024-04-24 20:45:51浏览次数:21  
标签:匹配 pattern subprocess re letter res print pickle

【一】序列化模块

【1】json模块

  • 将python对象序列化成json字符串
  • 将json字符串反序列化成python对象
import json
json.dump() # 写文件
json.dumps() # 转换字符串
json.load() # 读数据
json.loads() # 将字符串转回对象

【2】pickle模块

  • 用于python特有的类型和 python的数据类型间进行转换
import pickle

# 序列化方法(dumps)
dic = {'k1': 'v1', 'k2': 'v2', 'k3': 'v3'}
str_dic = pickle.dumps(dic)
print(str_dic)
# b'\x80\x04\x95#\x00\x00\x00\x00\x00\x00\x00}\x94(\x8c\x02k1\x94\x8c\x02v1\x94\x8c\x02k2\x94\x8c\x02v2\x94\x8c\x02k3\x94\x8c\x02v3\x94u.'
print(type(str_dic))
# <class 'bytes'>

# 反序列化方法(loads)
dic2 = pickle.loads(str_dic)
print(dic2) 
# {'k1': 'v1', 'k2': 'v2', 'k3': 'v3'}
print(type(dic2))
# <class 'dict'>
import pickle

user_data = {'username':'chosen'}

# 写入文件(dump)
def save_data():
    with open('data', 'wb') as fp:
        pickle.dump(obj=user_data, file=fp)
save_data() # 写入之后在文件夹里用记事本方式打开发现是乱码
# €?       }攲username攲chosen攕.

# 读取文件数据(load)
def read_data():
    with open('data', 'rb') as fp:
        data = pickle.load(file=fp)
    print(data)
read_data() #读取文件后 可以将乱码转化为写入前的正常文字
# {'username': 'chosen'}
  • pickle是python独有的函数
import pickle

def save_data(data):
    with open('data','wb') as fp:
        pickle.dump(obj=data,file=fp)

def read_data():
    with open('data','rb') as fp:
        data=pickle.load(file=fp)
    print(data(5,6))

def add(x,y):
    print(x+y)

save_data(data=add) # €?       ?__main__攲add敁?
read_data() # 11

【3】总结

  • json是一种所有的语言都可以识别的数据结构
  • 所以我们序列化的内容是列表或者字典,推荐使用json模块
  • 如果出于某种原因不得不序列化其他的数据类型,或者反序列的话,可以使用pickle

【二】subprocess模块

【1】popen

import subprocess

res = subprocess.Popen('dir(这里放的是linux命令或者shell命令)', shell=True,
                       stdout=subprocess.PIPE, # 管道 负责存储正确的信息
                       stderr=subprocess.PIPE # 管道 负责存储错误信息
                       )

print(res)  # <subprocess.Popen object at 0x000001ABB1970310>
# print(res.stdout.read().decode('gbk'))  # tasklist执行之后的正确结果返回
print(res.stderr.read().decode('gbk'))
  • subprocess模块首先推荐使用的是它的 run 方法
  • 更高级的用法可以直接使用Popen接口

【2】run

def runcmd(command):
    ret = subprocess.run(command,  # 子进程要执行的命令
                         shell=True,  # 执行的是shell的命令
                         stdout=subprocess.PIPE,
                         stderr=subprocess.PIPE,
                         # encoding="utf-8",
                         timeout=1
                         )
    # print( ret.returncode)
    # returncode属性是run()函数返回结果的状态。
    if ret.returncode == 0:
        print("success:", ret.stdout)
    else:
        print("error:", ret)


runcmd(["dir",'/b'])  # 序列参数
# success: CompletedProcess(args=['dir', '/b'], returncode=0, stderr='')
# runcmd("exit 1")  # 字符串参数
# error: CompletedProcess(args='exit 1', returncode=1, stdout='', stderr='')

【3】call

subprocess.call(['python', '--version']) #查看当前python解释器版本

【三】re模块

  • 正则:按照指定的匹配规则从字符串中匹配或者截取相应的内容

【1】引入

# 手机号码必须是 11 位,并且是数字 ,必须符合国家规范
import re

def check_phone_re(phone_number):
    if re.match('^(13|14|15|18)[0-9]{9}$', phone_number):
        print('是合法的手机号码')
    else:
        print('不是合法的手机号码')


phone = input("phone :>>>> ").strip()
check_phone_re(phone_number=phone)

【2】字符组

  • 字符组 :[字符组] 在同一个位置可能出现的各种字符组成了一个字符组
  • 在正则表达式中用[]表示
正则 待匹配字符 匹配结果 说明
[0123456789] 8 True 在一个字符组里枚举合法的所有字符,字符组里的任意一个字符和"待匹配字符"相同都视为可以匹配
[0123456789] a False 由于字符组中没有"a"字符,所以不能匹配
[0-9] 7 True 也可以用-表示范围,[0-9]就和[0123456789]是一个意思
[a-z] s True 同样的如果要匹配所有的小写字母,直接用[a-z]就可以表示
[A-Z] B True [A-Z]就表示所有的大写字母
[0-9a-fA-F] e True 可以匹配数字,大小写形式的a~f,用来验证十六进制字符
  • findall

# (1) 匹配 0 - 9 数字
import re
pattern = "[0123456789]"
res = re.findall(pattern, 'a b c d e f g h i j k 1 2 3 4 5')
print(res)  # ['1', '2', '3', '4', '5']

pattern = "[0-9]"
res = re.findall(pattern, 'a b c d e f g h i j k 1 2 3 4 5')
print(res)  # ['1', '2', '3', '4', '5']

# (2)匹配小写字母
pattern = "[abcd]"
res = re.findall(pattern, 'a b c d e f g h i j k 1 2 3 4 5')
print(res)  # ['a', 'b', 'c', 'd']

pattern = "[a-z]"
res = re.findall(pattern, 'a b c d e f g h i j k A B C D E 1 2 3 4 5')
print(res)  # ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k']


# (3)匹配大写字母字符组
pattern = "[ABC]"
res = re.findall(pattern, 'a b c d e f g h i j k A B C D E 1 2 3 4 5')
print(res)  # ['A', 'B', 'C']

pattern = "[A-Z]"
res = re.findall(pattern, 'a b c d e f g h i j k A B C D E 1 2 3 4 5')
print(res)  # ['A', 'B', 'C', 'D', 'E']

# (4)大小写字母 + 数字混合
pattern = "[0123abcdABC]"
res = re.findall(pattern, 'a b c d e f g h i j k A B C D E 1 2 3 4 5')
print(res)  # ['a', 'b', 'c', 'd', 'A', 'B', 'C', '1', '2', '3']

pattern = "[0-9a-zA-Z]"
res = re.findall(pattern, 'a b c d e f g h i j k A B C D E 1 2 3 4 5')
print(res)  # ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'A', 'B', 'C', 'D', 'E', '1', '2', '3', '4', '5']

【3】元字符

元字符 匹配内容
. 匹配除换行符以外的任意字符
\w 匹配字母或数字或下划线
\s 匹配任意的空白符
\d 匹配数字
\n 匹配一个换行符
\t 匹配一个制表符
\b 匹配一个单词的结尾
^ 匹配字符串的开始
$ 匹配字符串的结尾
\W 匹配非字母或数字或下划线
\D 匹配非数字
\S 匹配非空白符
a|b 匹配字符a或字符b
() 匹配括号内的表达式,也表示一个组
[...] 匹配字符组中的字符
[^...] 匹配除了字符组中字符的所有字符
  • 匹配特殊字符

import re
# (1) . 代表匹配除换行符以外的任意字符
letter = 'abcdefghijkABCDE12345 , '
pattern = "."
res = re.findall(pattern, letter)
print(res)
#  ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'A', 'B', 'C', 'D', 'E', '1', '2', '3', '4', '5', ' ', ',', ' ']
  • \w

# (2) \w 代表匹配数字或者字母或下划线
letter = 'a b c d e f g h i j k A B C D E 1 2 3 4 5 , _ . ; % '
pattern = "\w"
res = re.findall(pattern, letter)
print(res)
# ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'A', 'B', 'C', 'D', 'E', '1', '2', '3', '4', '5', '_']
  • \s

# (3) \s 代表匹配任意的空白符 ---> 空格
letter = 'a b c d e f g h i j k A B C D E 1 2 3 4 5 , _ . ; % '
pattern = "\s"
res = re.findall(pattern, letter)
print(res)
# [' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ']
  • \d

# (4) \d 只能匹配数字
letter = 'a b c d e f g h i j k A B C D E 1 2 3 4 5 , _ . ; % '
pattern = "\d"
res = re.findall(pattern, letter)
print(res) # ['1', '2', '3', '4', '5']
  • \W

# (5) \W 匹配除了字母 或数字 或下滑线以外的任意字符
letter = 'a b c d e f g h i j k A B C D E 1 2 3 4 5 , _ . ; % '
pattern = "\W"
res = re.findall(pattern, letter)
print(res)
# [' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ',', ' ', ' ', '.', ' ', ';', ' ', '%', ' ']
  • \n

# (6) \n 只能匹配换行符
letter = '''
' a 
b c 
d e f g h i j k A B C D E 
1 2 3 4 5 , _ . ; % 
'''
pattern = "\n"
res = re.findall(pattern, letter)
print(res)
# ['\n', '\n', '\n', '\n', '\n']
  • \t

# (7) \t 制表符
msg="""h e\tll\n\no 123_ (0
\t1
"""
print(re.findall('\t',msg)) # ['\t', '\t']
  • \b

# (8) \b 匹配一个单词的结尾
# (9) ^字符 匹配以某个字符开头
letter = '''a    b c d e f g h i j k A B C D E 1 2 3 4 5 , _ . ; %'''
pattern = "^a"
res = re.findall(pattern, letter)
print(res) # ['a']
  • $

# (10) 字符$ 匹配以某个字符结尾
letter = '''a    b c d e f g h i j k A B C D E 1 2 3 4 5 , _ . ; %'''
pattern = "%$"
res = re.findall(pattern, letter)
print(res) # ['%']
  • \D

# (11) \D 匹配除数字以外的任意字符
letter = '''a  b c d e B C D E 1 2 3 4 5 , _ . ; %'''
pattern = "\D"
res = re.findall(pattern, letter)
print(res)
# ['a', ' ', ' ', 'b', ' ', 'c', ' ', 'd', ' ', 'e', ' ', 'B', ' ', 'C', ' ', 'D', ' ', 'E', ' ', ' ', ' ', ' ', ' ', ' ', ',', ' ', '_', ' ', '.', ' ', ';', ' ', '%']
  • \S

# (12) \S 匹配出了空格以外的所有字符
letter = '''a    b c d e f g h 
i j k A B C D E 1 2 3 4 5 , _ . ; %'''
pattern = "\S"
res = re.findall(pattern, letter)
print(res)
# ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'A', 'B', 'C', 'D', 'E', '1', '2', '3', '4', '5', ',', '_', '.', ';', '%']
  • |

# (13) 字符|字符 匹配任意一个字符
letter = '''a    b c d e f g h 
i j k A B C D E 1 2 3 4 5 , _ . ; %'''
pattern = "a|b|1|%"
res = re.findall(pattern, letter)
print(res) # ['a', 'b', '1', '%']
  • ()

# (14) () 声明优先级
letter = '''a    b c d e f g hi j k A B C D E 12 aa 34 5a , _ . ; %'''
pattern = "\d(\w)"
res = re.findall(pattern, letter)
print(res) # ['2', '4', 'a']
  • 字符组

# (15)字符组
letter = '''a    b c d e f g hi j k A B C D E 12 aa 34 5a , _ . ; %'''
pattern = "[a-z0-9A-Z][0-9]" 
# pattern = "[a-z0-9A-Z][a-z]"
res = re.findall(pattern, letter)
print(res) # ['12', '34']
letter = '''a    b c d e $f _g hi j k A B C D E 12 aa 34 5a , _ . ; %'''
# 匹配除了字符组中字符的所有字符
# $f _g hi 12 aa 34 5a
pattern = "[^a-z0-9A-Z][0-9]" 
res = re.findall(pattern, letter)
print(res) # [' 1', ' 3', ' 5']

pattern = "[a-z0-9A-Z][0-^9]"
res = re.findall(pattern, letter)
print(res) # ['12', '34']

【4】量词

量词 用法说明
* 重复零次或更多次
+ 重复一次或更多次
? 重复零次或一次
{n} 重复n次
{n,} 重复n次或更多次
{n,m} 重复n到m次
import re
# (1) * 代表当前字符重读零次或更多次
pattern = "[0-9][a-z]*"  #
letter = '''a    b c d e $f _g hi j k A B C D E 12 aa 34 5a 111 6cs 9nb 6aaaa , _ . ; %'''
res = re.findall(pattern, letter)
print(res) # ['1', '2', '3', '4', '5a', '1', '1', '1', '6cs', '9nb', '6aaaa']

# (2) + 代表当前字符重读一次或更多次
pattern = "[0-9][a-z]+"  #
letter = '''a    b c d e $f _g hi j k A B C D E 12 aa 34 5a 111 6cs 9nb  6aaaa , _ . ; %'''
res = re.findall(pattern, letter)
print(res) # ['5a', '6cs', '9nb', '6aaaa']

# (3)? 重复零次或一次
pattern = "[0-9][a-z]?"  #
letter = '''a    b c d e $f _g hi j k A B C D E 12 aa 34 5a 111 6cs 9nb  6aaaa , _ . ; %'''
res = re.findall(pattern, letter)
print(res) # ['1', '2', '3', '4', '5a', '1', '1', '1', '6c', '9n', '6a']

# (4){n} 重复n次
pattern = "[0-9][a-z]{2}"  #
letter = '''a    b c d e $f _g hi j k A B C D E 12 aa 34 5a 111 6cs 9nb  6aaaa , _ . ; %'''
res = re.findall(pattern, letter)
print(res) # ['6cs', '9nb', '6aa']

# (5){n,m} 重复至少n次 至多m次
pattern = "[0-9][a-z]{2,3}"  #
letter = '''a    b c d e $f _g hi j k A B C D E 12 aa 34 5a 111 6cs 9nb  6aaaa , _ . ; %'''
res = re.findall(pattern, letter)
print(res) # ['6cs', '9nb', '6aaa']

【5】位置元字符

#  . 代表任意字符
pattern = "海."
letter = '''海燕海娇海东海冬梅'''
res = re.findall(pattern, letter)
print(res) # ['海燕', '海娇', '海东', '海冬']

#  . 代表任意字符
# ^ 以 ... 开头
pattern = "^海."
letter = '''海燕海娇海东海冬梅'''
res = re.findall(pattern, letter)
print(res) # ['海燕']

#  . 代表任意字符
# $ 以 ... 结尾
pattern = "海.$"
letter = '''海燕海娇海东海冬梅'''
res = re.findall(pattern, letter)
print(res) # ['海冬']

# . 代表任意字符
# ? 重复零次或一次
pattern = "李.?"
letter = '李杰李莲英和李二棍子'
res = re.findall(pattern, letter)
print(res) # ['李杰', '李莲', '李二']

# . 代表任意字符
# * 重复零次或更多次
pattern = "李.*"
letter = '李杰李莲英和李二棍子'
res = re.findall(pattern, letter)
print(res) # ['李杰李莲英和李二棍子']

# . 代表任意字符
# + 重复一次或更多次
pattern = "李.+"
letter = '李杰李莲英和李二棍子'
res = re.findall(pattern, letter)
print(res) # ['李杰李莲英和李二棍子']

# . 代表任意字符
# {m,n} 重复一次或更多次
pattern = "李.{2,3}"
letter = '李杰李莲英和李二棍子'
res = re.findall(pattern, letter)
print(res) # ['李杰李莲', '李二棍子']

# . 代表任意字符
# [] 字符组中的任意一个
pattern = "李[杰莲英二棍子]"
letter = '李杰李莲英和李二棍子'
res = re.findall(pattern, letter)
print(res) # ['李杰', '李莲', '李二']

# . 代表任意字符
# [] 字符组中的任意一个
# ^和 除了和
# * 任意
pattern = "李[^和]*"
letter = '李杰李莲英和李二棍子'
res = re.findall(pattern, letter)
print(res) # ['李杰李莲英', '李二棍子']

【6】分组匹配

相关文章

  • 注册表(Registry)是Windows操作系统中用来存储配置信息和系统设置的一个关键组成部分。
    注册表(Registry)是Windows操作系统中用来存储配置信息和系统设置的一个关键组成部分。它类似于一个数据库,用来存储有关用户、硬件、软件和其他系统设置的信息。注册表包含了操作系统及其安装的应用程序所需的许多配置信息。注册表包含了多个部分,其中一些最重要的部分包括:HK......
  • 延迟绑定与retdlresolve
    延迟绑定与retdlresolve我们以前在ret2libc的时候,我们泄露的libc地址是通过延迟绑定实现的,我们知道,在调用libc里面的函数时候,它会先通过plt表和gor表绑定到,函数真实地址上,那么在第二次调用的时候就可以用了,不用再次绑定那么它是怎么样实现的呢,我们还是通过一个题目一步步去看一......
  • C#ManualResetEvent 在线程中的使用
    ManualResetEvent用于表示线程同步事件,可以使得线程等待信号发射之后才继续执行下一步,否则一直处于等待状态中。ManualResetEvent的常用方法构造函数ManualResetEvent(bool);ManualResetEventmanualResetEvent=newManualResetEvent(false);//false将初始状态设......
  • Resin反序列化链分析
    前言Resin是一个轻量级的、高性能的开源Java应用服务器。它是由CauchoTechnology开发的,旨在提供可靠的Web应用程序和服务的运行环境。和Tomcat一样是个服务器,它和hessian在一个group里,所以有一定的联系<dependencies><dependency><groupId>com.caucho</groupId><a......
  • 6.prometheus监控--监控redis/rabbitmq/mongodb
    1.监控redis1.1安装方式1.1.1二进制源码安装方式参考nginx二进制安装方法redis_exporter下载地址:https://github.com/oliver006/redis_exporter/releases系统服务:cat>/etc/systemd/system/redis_exporter.service<<"EOF"[Unit]Description=PrometheusRedisExport......
  • CodeForces 115D Unambiguous Arithmetic Expression
    洛谷传送门CF传送门直接区间dp可以做到\(O(n^3)\),卡常可过,在此就不赘述了。为了方便先把连续的数字缩成一段。我们考虑直接从前往后扫,扫的过程中dp。设\(f_{i,j}\)为考虑了\([1,i]\),还有\(j\)个没配对的左括号的方案数。但是我们发现我们不知道一个数字前要添加几......
  • a-textarea(textarea)出现模糊问题的可能解决方案
    a-textarea(textarea)出现模糊问题的可能解决方案项目介绍:本项目是一个vue3+ant-design-vue4.x开发,是一个客服机器人的组件。其它项目通过iframe+js文件来引入(iframe的内容就是表单,入口按钮是通过js文件进行dom操作创建)。通过js监听页面宽度,然后通过transform来适配不同分辨率......
  • RPC请求跟普通Restful请求区别?
    RPC(RemoteProcedureCall,远程过程调用)请求和普通的RESTful请求在设计理念、通信方式、协议等方面有一些区别:设计理念:RPC请求:RPC是一种面向过程的通信模式,其设计目的是让远程调用像本地调用一样简单,它的核心思想是调用远程服务的方法。RESTful请求:RESTful是一种基于资......
  • 如何基于 React 实现的指令
    我们是袋鼠云数栈UED团队,致力于打造优秀的一站式数据中台产品。我们始终保持工匠精神,探索前端道路,为社区积累并传播经验价值。本文作者:信居前言实现这个功能的想法,来源于数栈产品中开发的前端功能权限控制,相信大家都在项目中或多或少的接触和开发过这个功能。笔者在项目......
  • WARNING: pip is configured with locations that require TLS/SSL, however the ssl
    pip3安装报错[[email protected]]#pip3install--upgradepipWARNING:pipisconfiguredwithlocationsthatrequireTLS/SSL,howeverthesslmoduleinPythonisnotavailable.Requirementalreadysatisfied:pipin/usr/local/python3/lib/python3.11/s......