模块---常用模块

import os
print(os.getcwd()) #得到当前目录
#os.chmod("/usr/local",7) #给文件或者文件夹加权限,7为最高权限
print(os.chdir("../")) #更改当前目录
print(os.curdir) #当前目录
print(os.pardir) #父目录
print(os.mkdir("test1")) #创建文件夹
print(os.makedirs("usr/hehe/hehe1")) #递归创建文件夹,如果父目录不存在则创建父目录
#print(os.makdirs(r"usr/hehe/hehe1")) #递归创建文件夹,如果父目录不存在则创建父目录,r代表元字符的意思
print(os.removedirs("usr/hehe/hehe1")) #递归删除空目录
print(os.rmdir("usr/hehe/hehe1")) #删除文件夹, 只能删除空文件夹
print(os.remove("usr/hehe/hehe1")) #删除文件
print(os.listdir('.')) #当前目录下的所有文件列表
os.rename("test","test1")#重命名
print(os.stat("len_os.py"))#获取文件信息
print(os.sep)#当前操作系统的路径分隔符, windows的路径分隔符为\,lnux的路径分隔符为 /.
print(os.linesep)#当前操作系统的换行符
print(os.pathsep) # 当前系统的环境变量中每个路径的分隔符,linux是:,windows是;
print(os.environ)#当前操作系统的环境变量
print(os.name)#当前系统名称

print(os.path.abspath(__file__)) # 获取绝对路径,__file__表示当前文件
print(os.path.split("/usr/hehe/hehe.txt")) # 分割路径和文件名

print(os.path.dirname("/usr/local")) # 获取父目录

print(os.path.basename("/usr/local")) # 获取最后一级,如果是文件显示文件名,如果是目录显示目录名
print(os.path.exists("/usr/local")) # 判断目录/文件是否存在

print(os.path.isabs(".")) # 判断是否是绝对路径
print(os.path.isfile("/usr/local")) # 判断是否是一个文件
print(os.path.isdir("/usr/local")) # 是否是一个路径
print(os.path.join("/root", 'hehe', 'a.sql')) # 拼接成一个路径
print(os.path.getatime("len_os.py")) # 输出最近访问时间
print(os.path.getmtime("len_os.py")) # 输出最近访问时间

import sys
sys.argv #获取命令行参数List,第一个元素是程序本身路径
sys.exit(n) #退出程序,正常退出时exit(0),若exit('xxxxx),则推出并返回xxxxx
sys.version #获取Python解释程序的版本信息
sys.maxint #当前操作系统支持最大的Int值,32位和64位不同
sys.path #返回模块的搜索路径,初始化时使用PYTHONPATH环境变量的值
sys.platform #返回操作系统平台名称
sys.stdout.write('please:') # 向屏幕输出一句话
val = sys.stdin.readline()[:-1] # 获取输入的值

import random, string

print(random.random()) # 随机浮点数,默认取0-1,不能指定范围
print(random.randint(1, 20)) # 随机整数,1-20
print(random.randrange(1, 20)) # 随机产生一个整数,1-19,它是顾头不顾尾的
print(random.choice('x23serw4')) # 随机取一个元素
print(random.sample('hello', 2)) # 从序列中随机取几个元素
print(random.uniform(1, 9)) # 随机取浮点数,可以指定范围
x = [1, 2, 3, 4, 6, 7]
random.shuffle(x) # 洗牌,打乱顺序,会改变原list的值
print(x)
print(string.ascii_letters + string.digits) # 所有的数字和字母

import datetime, time

print(time.timezone) # 和标准时间相差的时间,单位是s
print(time.time()) # 获取当前时间戳,即从linux元年到现在的秒数, 常用格式为int(time.time()),取整
print(time.sleep(1)) # 休息几s

print(time.gmtime()) # 把时间戳转换成时间元组,如果不传的话,默认取标准时区的时间戳
print(time.localtime()) # 把时间戳转换成时间元组,如果不传的话,默认取当前时区的时间戳
print(time.mktime(time.localtime())) # 把时间元组转换成时间戳

print(time.strftime("%y%m%d %H%M%S")) # 将时间元组转换成格式化输出的字符串
print(time.strptime("20160204 191919", "%Y%m%d %H%M%S")) # 将格式化的时间转换成时间元组

print(time.struct_time) # 时间元组
print(time.asctime()) # 时间元转换成格式化时间
print(time.ctime()) # 时间戳转换成格式化时间
print(datetime.datetime.now()) # 当然时间格式化输出
print(datetime.datetime.now() + datetime.timedelta(3)) # 3天后的时间
print(datetime.datetime.now() + datetime.timedelta(-3)) # 3天前的时间

import json

dic = {"name": "niuniu", "age": 18}
print(json.dumps(dic)) # 把字典转成json串
fj = open('a.json', 'w')
print(json.dump(dic, fj)) # 把字典转换成的json串写到一个文件里面
s_json = '{"name":"niuniu","age":20,"status":true}'
print(json.loads(s_json)) # 把json串转换成字典
fr = open('b.json', 'r')
print(json.load(fr)) # 从文件中读取json数据,然后转成字典

import hashlib

m = hashlib.md5()
m.update(b"Hello")
m.update(b"It's me")
print(m.digest())
m.update(b"It's been a long time since last time we ...")

print(m.digest()) # 2进制格式hash
print(len(m.hexdigest()))  # 16进制格式hash
# ######## md5 ########



hash = hashlib.md5()
hash.update('admin')
print(hash.hexdigest())
# ######## sha1 ########

hash = hashlib.sha1()
hash.update('admin')
print(hash.hexdigest())
# ######## sha256 ########

hash = hashlib.sha256()
hash.update('admin')
print(hash.hexdigest())

# ######## sha384 ########

hash = hashlib.sha384()
hash.update('admin')
print(hash.hexdigest())
# ######## sha512 ########

hash = hashlib.sha512()
hash.update('admin')
print(hash.hexdigest())


import shelve
d = shelve.open('shelve_test') #打开一个文件
class Test(object):
def __init__(self,n):
self.n = n
t = Test(123)
t2 = Test(123334)
def func():
print('hello')
name = ["alex","rain","test"]
d["test"] = name #持久化列表
d["t1"] = t #持久化类
d["t2"] = t2
d["t3"] = func
print(d.get("t3"))#获取内容
d.close()

import configparser

config = configparser.ConfigParser()
config["DEFAULT"] = {'ServerAliveInterval': '45',
'Compression': 'yes',
'CompressionLevel': '9'}

config['bitbucket.org'] = {}
config['bitbucket.org']['User'] = 'hg'
config['topsecret.server.com'] = {}
topsecret = config['topsecret.server.com']
topsecret['Host Port'] = '50022' # 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('my.cnf')
sections = config.sections() # 获取所有节点
print(config.get('bitbucket.org', 'User')) # 取对应节点下面key的值
config.add_section('NEW') # 增加节点
config.set('NEW', 'test', 'true') # 增加节点下面对应的熟悉和值
config.set('DEFAULT', 'niu', '222222') # 修改节点下的属性
config.write(open("my.cnf", "w")) # 写入修改后的文件
config.has_option('NEW', 'test') # 节点下是否有对应的属性
config.has_section('NEW') # 是否有该节点
config.remove_section('NEW') # 删除节点
config.remove_option('NEW', 'test') # 删除节点下面的key

'''
re 模块
'.'
默认匹配除\n之外的任意一个字符,若指定flag
DOTALL, 则匹配任意字符,包括换行
'^'
匹配字符开头,若指定flags
MULTILINE, 这种也可以匹配上(r"^a", "\nabc\neee", flags=re.MULTILINE)
'$'
匹配字符结尾,或e.search("foo$", "bfoo\nsdfsf", flags=re.MULTILINE).group()
也可以
'*'
匹配 * 号前的字符0次或多次,re.findall("ab*", "cabb3abcbbac")
结果为['abb', 'ab', 'a']
'+'
匹配前一个字符1次或多次,re.findall("ab+", "ab+cd+abb+bba")
结果['ab', 'abb']
'?'
匹配前一个字符1次或0次
'{m}'
匹配前一个字符m次
'{n,m}'
匹配前一个字符n到m次,re.findall("ab{1,3}", "abb abc abbcbbb")
结果
'abb', 'ab', 'abb']
'|'
匹配 | 左或 | 右的字符,re.search("abc|ABC", "ABCBabcCD").group()
结果
'ABC'
'(...)'
分组匹配,re.search("(abc){2}a(123|456)c", "abcabca456c").group()
结果
abcabca456c
'\A'
只从字符开头匹配,re.search("\Aabc", "alexabc")
是匹配不到的
'\Z'
匹配字符结尾,同$
'\d'
匹配数字0 - 9
'\D'
匹配非数字
'\w'
匹配[A - Za - z0 - 9]
'\W'
匹配非[A - Za - z0 - 9]
's'
匹配空白字符、\t\n\r, re.search("\s+", "ab\tc1\n3").group()
结果
'\t'
'''

re.match #从头开始匹配
re.search #匹配包含
re.findall #把所有匹配到的字符放到以列表中的元素返回
re.splitall #以匹配到的字符当做列表分隔符
re.sub #匹配字符并替换


if __name__='__main__': # 只有在运行自己这个Python文件的时候,才会执行下面的代码,在别的模块里面导入的时候是不会执行的
__mokuai__
 

转载于:https://www.cnblogs.com/yuer011/p/7044711.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/541167.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

excel添加列下拉框票价_excel表格下拉表格添加数据-excel2017表格中怎么制作下拉菜单列表框...

在Excel表中,如何将增加下拉菜单的选项?excel中的下拉菜单选项,就是筛选的功能,具体操作如下:1.首先选中a、b两列数据,在“开始”选项卡上选择“筛选”;2.这样就在excel表中添加了下拉菜单选项。…

ajax实现两个aspx跳转,请问ajax执行成功后可以跳转到另一个页面吗?

一只名叫tom的猫通过ajax读取到写好的jsp,另一个jsp可以放framse或者层都可以,显示就行了123456789$.ajax({ type: "POST", //用post方式传输 dataType: "html", //数据格式:json…

Android横竖屏切换View设置不同尺寸或等比例缩放的自定义View的onMeasure解决方案(2)...

Android横竖屏切换View设置不同尺寸或等比例缩放的自定义View的onMeasure解决方案(2)附录文章1以xml布局文件方式实现了一个view在横竖屏切换时候的大小尺寸缩放,实现这种需求,也可以使用自定义View的onMeasure方法实现。比如&…

java中的push方法_Java ArrayDeque push()方法与示例

java中的push方法ArrayDeque类push()方法 (ArrayDeque Class push() method) push() Method is available in java.lang package. push()方法在java.lang包中可用。 push() Method is used to push an element onto the stack denoted by this deque. push()方法用于将元素压入…

7段均衡器最佳参数_十段均衡器的设置和参数

本帖最后由 GTXarrow 于 2015-2-2 14:53 编辑EQ的基本定义:EQ是Equalizer的缩写,大陆称为均衡器,港台称为等化器。作用是调整各频段信号的增益值。10段均衡器表示有10个可调节节点。节点越多,便可以调节出更精确的曲线,同时难度更…

本地 服务器 文件传输,本地服务器文件传输

本地服务器文件传输 内容精选换一换CDM支持周期性自动将新增文件上传到OBS,不需要写代码,也不需要用户频繁手动上传即可使用OBS的海量存储能力进行文件备份。这里以CDM周期性备份FTP的文件到OBS为例进行介绍。例如:FTP服务器的to_obs_test目录…

上市公司行情查询站点

http://stock.finance.sina.com.cn/usstock/quotes/BABA.html

java peek方法_Java ArrayDeque peek()方法与示例

java peek方法ArrayDeque类peek()方法 (ArrayDeque Class peek() method) peek() Method is available in java.lang package. peek()方法在java.lang包中可用。 peek() Method is used to return the head element of the queue denoted by this deque but without removing t…

中怎么撤回消息_微信消息撤回也能看到,这个开源神器牛x!语音、图片、文字都支持!...

1.前言 微信在2014年的时候,发布的v5.3.1 版本中推出了消息撤回功能,用户可以选择撤回 2 分钟内发送的最后一条信息。现在很多即时通讯的软件都有撤回这个功能。腾讯为了照顾手残党,在微信和QQ中都加入了【消息撤回】的功能。但是这个功能对于…

ntce服务器不稳定,当心!你的教师资格证成绩失效了!| 服务

原标题:当心!你的教师资格证成绩失效了!| 服务湖南的小王同学资格证笔试考了两次才全部通过,想着好好歇歇,结果就误了面试报名,等到第三年面试报名时才发现有一科笔试成绩已经过期了......天呐,…

java中get接口示例_Java即时类| 带示例的get()方法

java中get接口示例即时类的get()方法 (Instant Class get() method) get() method is available in java.time package. get()方法在java.time包中可用。 get() method is used to get the value of the given field from this Instant object. get()方法用于从此Instant对象获…

深度学习与计算机视觉系列(6)_神经网络结构与神经元激励函数

作者:寒小阳 && 龙心尘 时间:2016年1月。 出处: http://blog.csdn.net/han_xiaoyang/article/details/50447834 http://blog.csdn.net/longxinchen_ml/article/details/50448267 声明:版权全部。转载请联系作者并注明出…

datasnap xe连接池_DataSnap 连接池

二、 DataSnap连接池连接池http://docwiki.embarcadero.com/Libraries/XE8/en/Datasnap.DSSession.TDSSessionManagerhttp://docwiki.embarcadero.com/Libraries/XE8/en/Datasnap.DSSession.TDSSessionManager_MethodsTDSSessionManager::GetThreadSession()->IdTDSSessionM…

软件测试工程师阶段_软件工程测试阶段

软件测试工程师阶段Testing can be defined as checking the software for its correctness. In other words, we can define it as a process of observing a program for its behavior on providing some set of inputs (known as test cases) to check whether it is produc…

mysql左连接和右连接_MYSQL 左连接与右连接

一、 LEFT JOINLEFT JOIN 关键字从左表(table1)返回所有的行,即使右表(table2)中没有匹配。如果右表中没有匹配,则结果为 NULL。语法:SELECT column_name(s)FROM table1LEFT JOIN table2ON table1.column_nametable2.column_name;举例&#x…

SIPp web frontend(2)

SIP VoIP 測试交流群: 323827101 欢迎大家转载。为保留作者成果,转载请注明出处。http://blog.csdn.net/netluoriver。有些文件在资源中也能够下载。假设你没有积分。能够联系我索要!3.6Adding calls to a test(为測试脚本添加呼叫) To add a call, use …

python学习中文第五版_前5个学习Python的网站

python学习中文第五版Python is a multi-utility high-level language (programming as well as a scripting language) first introduced in the year 1991 designed by ‘Guido Van Rossum’, and was named after ‘Monty Python’ which was a very famous British Comedy …

mysql排重_mysql 排重查询

GROUP BY 语句可以实现某一列的去重查询。直接上语句:select io_dev_id from io_info where (TID1 AND host_nameyang1) GROUP BY 1;按照io_dev_id去重查询。p:顺手加上与ORDER BY 和 distinct的区分使用GROUP BY 是根据列捡选ORDER BY 是根据列排序dist…

CentOS7入门_安装并配置mysql5.7.18

2019独角兽企业重金招聘Python工程师标准>>> 1.下载mysql5.7 mysql的官方下载地址 打开之后我们选择对应的系统版本进行下载,之后选择nothanks,不登陆直接下载(如果只是搭建最基本的的mysql的server只需要下载上图4个基本rpm文件即可&#xf…

Python Pandas –数据输入和输出

Pandas as a library can read and write data to a wide variety of sources. In this article, we would concentrate on the following, 熊猫作为图书馆可以读取和写入各种来源的数据。 在本文中,我们将重点介绍以下内容, CSV CSV Excel 电子表格 HT…