美文网首页
学习python

学习python

作者: 机灵鬼鬼 | 来源:发表于2021-04-13 17:20 被阅读0次

python官网:https://www.python.org/
官网中文学习文档:https://docs.python.org/zh-cn/3/

按照元祖val排序

//把匿名函数用作传递的实参
pairs=[(1,'H'),(2,'B'),(3,'M'),(4,'W')]
//按照每个元祖值进行排序
pairs.sort(key=lambda pair:pair[1])
print(pairs)
//结果
[(2, 'B'), (1, 'H'), (3, 'M'), (4, 'W')]

按照元祖key排序

pairs=[(1,'H'),(2,'B'),(3,'M'),(4,'W')]
pairs.sort(key=lambda pair:pair[0])//
print(pairs)
//结果
[(1, 'H'), (2, 'B'), (3, 'M'), (4, 'W')]

用列表实现队列[先进先出]


from collections import deque
queue=deque(["JeeRiy","Jhone","Tom"])
queue.append("Apple")
queue.append("Pear")
print(queue)

结果:
deque(['JeeRiy', 'Jhone', 'Tom', 'Apple', 'Pear'])
print(queue.popleft())
结果:
JeeRiy
print(queue)
结果:
deque(['Jhone', 'Tom', 'Apple', 'Pear'])

5.1.3. 列表推导式

列表推导式创建列表的方式更简洁。常见的用法为,对序列或可迭代对象中的每个元素应用某种操作,用生成的结果创建新的列表;或用满足特定条件的元素创建子序列。

例如,创建平方值的列表:

listpf=[]
for i in range(10):
    listpf.append(i**2)
print(listpf)
结果:[0, 1, 4, 9, 16, 25, 36, 49, 64, 81]

注意,这段代码创建(或覆盖)变量 x,该变量在循环结束后仍然存在。下述方法可以无副作用地计算平方列表:

listpf=list(map(lambda x:x**2,range(10)))
print(listpf)
结果:
[0, 1, 4, 9, 16, 25, 36, 49, 64, 81]

或等价于:

listpf=[x**2 for x in range(10)]
print(listpf)
结果:
[0, 1, 4, 9, 16, 25, 36, 49, 64, 81]

上面这种写法更简洁、易读。

表达式是元组(例如上例的 (x, y))时,必须加上括号:

da=[(x,x**2) for x in range(10)]
print(da)

列表推导式可以使用复杂的表达式和嵌套函数:

from math import pi
pi=[str(round(pi,i)) for i in range(1,6)]
print(pi)
结果:['3.1', '3.14', '3.142', '3.1416', '3.14159']

5.1.4. 嵌套的列表推导式

列表推导式中的初始表达式可以是任何表达式,甚至可以是另一个列表推导式。

下面这个 3x4 矩阵,由 3 个长度为 4 的列表组成:

matrix=[
    [1,2,3,4],
    [5,6,7,8],
    [9,10,11,12]
] 

hzl=[[row[i] for row in matrix] for i in range(4)]
print(hzl)
结果:[[1, 5, 9], [2, 6, 10], [3, 7, 11], [4, 8, 12]]

实际应用中,最好用内置函数替代复杂的流程语句。此时,zip() 函数更好用:

hzl=list(zip(*matrix))
print(hzl)
结果:[(1, 5, 9), (2, 6, 10), (3, 7, 11), (4, 8, 12)]

关于本行中星号的详细说明,参见 解包实参列表

在 ':' 后传递整数,为该字段设置最小字符宽度,常用于列对齐:

table={'Sjoerd': 4127, 'Jack': 4098, 'Dcab': 7678}
for name,phone in table.items():
    //格式输出6个字符后补空格==>6个字符前补空格
    print(f'{name:6}==>{phone:6d}')

结果:
Sjoerd==>  4127
Jack  ==>  4098
Dcab  ==>  7678

7.2. 读写文件

open() 返回 file object,最常用的参数有两个: open(filename, mode)
读取文件常见错误:
SyntaxError: (unicode error) 'unicodeescape' codec can't decode bytes in position 2-3: truncated \UXXXXXXXX escape

//这种写法是错误的,就会报上方的错误
f= open('C:\Users\ls\Desktop\pytest.txt','r') 
print(f.read())

正确写法

f= open(r'C:\Users\ls\Desktop\pytest.txt','r') 
print(f.read())
f.close()

不用再显示调用f.close()

with  open(r'C:\Users\ls\Desktop\pytest.txt','r') as f:
    print(f.read())

通过 with 语句,或调用 f.close() 关闭文件对象后,再次使用该文件对象将会失败。

10.5. 字符串模式匹配

re 模块为高级字符串处理提供正则表达式工具。对于复杂的匹配和操作,正则表达式提供简洁,优化的解决方案:

import re
re.findall(r'\bf[a-z]*', 'which foot or hand fell fastest')
结果:['foot', 'fell', 'fastest']
re.sub(r'(\b[a-z]+) \1', r'\1', 'cat in the the hat')
结果:'cat in the hat'
'tea for too'.replace('too', 'two')
结果:'tea for two'

10.6. 数学

math 模块提供对浮点数学的底层C库函数的访问:

>> import math
>> math.cos(math.pi / 4)
0.70710678118654757
>> math.log(1024, 2)
10.0

random 模块提供了进行随机选择的工具:

>> import random
>> random.choice(['apple', 'pear', 'banana'])
'apple'
>> random.sample(range(100), 10)   # sampling without replacement
[30, 83, 16, 4, 8, 81, 41, 50, 18, 33]
>> random.random()    # random float
0.17970987693706186
>> random.randrange(6)    # random integer chosen from range(6)
4

statistics 模块计算数值数据的基本统计属性(均值,中位数,方差等):

>> import statistics
>> data = [2.75, 1.75, 1.25, 0.25, 0.5, 1.25, 3.5]
>> statistics.mean(data)
1.6071428571428572
>> statistics.median(data)
1.25
>> statistics.variance(data)
1.3720238095238095

SciPy项目 <https://scipy.org> 有许多其他模块用于数值计算。

10.7. 互联网访问

有许多模块可用于访问互联网和处理互联网协议。其中两个最简单的 urllib.request 用于从URL检索数据,以及 smtplib 用于发送邮件:

from urllib.request import urlopen
with urlopen('http://baidu.com') as response:
    for line in response:
        line = line.decode('utf-8')  # Decoding the binary data to text.
        #if 'baidu' in line or 'EDT' in line:  # look for Eastern Time
        print(line)

import smtplib
server= smtplib.SMTP() 
server.connect('smtp.xxx.com', 25)    # 25 为 SMTP 端口号
server.login('abc@xxx.com','abc')#账号和密码
server.sendmail(from_email,to_email,
"""To: abc
From: def

hello ,Considering the progress of technology i have been learning for a long time.
""")
server.quit()

10.8. 日期和时间

datetime 模块提供了以简单和复杂的方式操作日期和时间的类。虽然支持日期和时间算法,但实现的重点是有效的成员提取以进行输出格式化和操作。该模块还支持可感知时区的对象。

10.9. 数据压缩

常见的数据存档和压缩格式由模块直接支持,包括:zlib, gzip, bz2, lzma, zipfiletarfile。:

Python 标准库

相关文章

网友评论

      本文标题:学习python

      本文链接:https://www.haomeiwen.com/subject/tzvqlltx.html