模块---常用模块

import osprint(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 syssys.argv #获取命令行参数List,第一个元素是程序本身路径sys.exit(n) #退出程序,正常退出时exit(0),若exit(‘xxxxx),则推出并返回xxxxxsys.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-20print(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)  # 和标准时间相差的时间,单位是sprint(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 parsertopsecret[‘ForwardX11‘] = ‘no‘  # same hereconfig[‘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之外的任意一个字符,若指定flagDOTALL, 则匹配任意字符,包括换行‘^‘匹配字符开头,若指定flagsMULTILINE, 这种也可以匹配上(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__
 
				
时间: 2024-10-08 18:47:56

模块---常用模块的相关文章

os模块常用模块

import os 1.os.sep 可以取代操作系统特定的路径分割符. 2.os.name字符串指示你正在使用的平台.比如对于Windows,它是'nt',而对于Linux/Unix用户,它是'posix'. 3.os.getenv() 获取系统路径 4.os.listdir(dirname)返回指定目录下(dirname)的所有文件和目录名.但是并没有列出来什么是目录,什么是文件. 5.os.remove()函数用来删除一个文件. 6.os.rmdir('dir_name')删除指定目录 7

python--关键字参数/可变参数--内置函数--时间模块--常用模块

---恢复内容开始---关键字参数/可变参数 知识点一.内置函数 def send_msm2(*args): #可变参数,参数组 print('phone',args)send_msm2()#返回值为元组 def send_msm2(*args): #可变参数,参数组 print('phone',args)send_msm2(110, 113, 333) #参数组不能用word= "haha "这样的形式,直接传def say(word,*args): print(word) prin

常用模块二(configparser

阅读目录 常用模块二 hashlib模块 configparse模块 logging模块 常用模块二 返回顶部 hashlib模块 Python的hashlib提供了常见的摘要算法,如MD5,SHA1等等. 什么是摘要算法呢?摘要算法又称哈希算法.散列算法.它通过一个函数,把任意长度的数据转换为一个长度固定的数据串(通常用16进制的字符串表示). 摘要算法就是通过摘要函数f()对任意长度的数据data计算出固定长度的摘要digest,目的是为了发现原始数据是否被人篡改过. 摘要算法之所以能指出数

常用模块知识

阅读目录 认识模块 什么是模块 模块的导入和使用 常用模块一 collections模块 时间模块 random模块 os模块 sys模块 序列化模块 re模块 常用模块二 hashlib模块 configparse模块 logging模块 返回顶部 collections模块 在内置数据类型(dict.list.set.tuple)的基础上,collections模块还提供了几个额外的数据类型:Counter.deque.defaultdict.namedtuple和OrderedDict等.

Day5 - 常用模块学习

本节大纲: 模块介绍(模块导入方法) time &datetime模块 random os sys shutil json & picle shelve xml处理 yaml处理 configparser hashlib subprocess logging模块 re正则表达式 模块,用一堆代码实现了某个功能的代码集合. 类似于函数式编程和面向过程编程,函数式编程则完成一个功能,其他代码用来调用即可,提供了代码的重用性和代码间的耦合.而对于一个复杂的功能来,可能需要多个函数才能完成(函数又

SAP MM模块 常用Bapi

  1.sap货物移动相关的bapi(MIGO/MB1A) 货物移动的bapi  BAPI_GOODSMVT_CREATE 其中 参数 : GOODSMVT_CODE 有 GMCODE Table T158G - 01 - MB01 - Goods Receipts for Purchase Order *                     02 - MB31 - Goods Receipts for Prod Order *                     03 - MB1A -

sublime text3安装 mac os汉化/常用模块

sublime text介绍: Sublime Text 是一个代码编辑器(Sublime Text 2是收费软件,但可以无限期试用),也是HTML和散文先进的文本编辑器.Sublime Text是由程序员Jon Skinner于2008年1月份所开发出来,它最初被设计为一个具有丰富扩展功能的Vim. Sublime Text具有漂亮的用户界面和强大的功能,例如代码缩略图,Python的插件,代码段等.还可自定义键绑定,菜单和工具栏.Sublime Text 的主要功能包括:拼写检查,书签,完整

python基础--常用模块与面向对象基础

1常用模块 1.1 xml xml是实现不同语言或程序之间进行数据交换的协议 xml的格式如下: <?xml version="1.0"?> <data> <country name="Liechtenstein"> <rank updated="yes">2</rank> <year>2008</year> <gdppc>141100</gdp

常用模块

1.import讲解#本质就是.py 文件,用来从逻辑上组织pyhton代码(变量.函数.类.逻辑,实现一个功能) 1.1.导入方法导入多个模块,以逗号隔开 例如 module模块: name = "kangkang" def fun(num): print("num",num) 1) import module print(module.name) #调用模块下的参数 module.fun(23) #调用模块下的方法 结果为: kangkang num 23 2)