当前位置:   article > 正文

【Python基础】Python 100 例带你入门

pythoncells=dict(values=[[100, 90, 80, 90], [95, 85, 75, 95]]) print(cells[

文章来源于Python与算法社区,作者振哥

大家好,我是振哥。这是我总结的 Python 100 个样例,原创作品,请大家多多关照。

以下所有代码全都至少运行一遍,确保可复现、易于理解、逐步完成入门到进阶的学习。

此教程经过我反复打磨多遍,经常为此熬夜,真心不易,文章比较长,看完有用,帮我点个在看或分享支持。

教程包括 62 个基础样例,12 个核心样例,26 个习惯用法。如果觉得还不错,欢迎转发、留言或在看。

一、  Python 基础 62 例

1  十转二

将十进制转换为二进制:

  1. >>> bin(10)
  2. '0b1010'
2 十转八

十进制转换为八进制:

  1. >>> oct(9)
  2. '0o11'
3 十转十六

十进制转换为十六进制:

  1. >>> hex(15)
  2. '0xf'
4  字符串转字节

字符串转换为字节类型

  1. >>> s = "apple"
  2. >>> bytes(s,encoding='utf-8')
  3. b'apple'
5 转为字符串

字符类型、数值型等转换为字符串类型

  1. >>> i = 100
  2. >>> str(i)
  3. '100'
6 十转ASCII

十进制整数对应的 ASCII 字符

  1. >>> chr(65)
  2. 'A'
7 ASCII转十

ASCII字符对应的十进制数

  1. >>> ord('A')
  2. 65
8 转为字典

创建数据字典的几种方法

  1. >>> dict()
  2. {}
  3. >>> dict(a='a',b='b')
  4. {'a''a''b''b'}
  5. >>> dict(zip(['a','b'],[1,2]))
  6. {'a'1'b'2}
  7. >>> dict([('a',1),('b',2)])
  8. {'a'1'b'2}
9 转为浮点类型

整数或数值型字符串转换为浮点数

  1. >>> float(3)
  2. 3.0

如果不能转化为浮点数,则会报ValueError:

  1. >>> float('a')
  2. Traceback (most recent call last):
  3.   File "<pyshell#7>", line 1, in <module>
  4.     float('a')
  5. ValueError: could not convert string to float: 'a'
10  转为整型

int(x, base =10)

x 可能为字符串或数值,将 x 转换为整数。

如果参数是字符串,那么它可能包含符号和小数点。如果超出普通整数的表示范围,一个长整数被返回。

  1. >>> int('12',16)
  2. 18
11  转为集合

返回一个 set 对象,集合内不允许有重复元素:

  1. >>> a = [1,4,2,3,1]
  2. >>> set(a)
  3. {1234}
12 转为切片

class slice(start, stop[, step])

返回一个由 range(start, stop, step) 指定索引集的 slice 对象,代码可读性变好。

  1. >>> a = [1,4,2,3,1]
  2. >>> my_slice = slice(0,5,2)
  3. >>> a[my_slice]
  4. [121]
13 转元组

tuple() 将对象转为一个不可变的序列类型

  1. >>> a=[1,3,5]
  2. >>> a.append(7)
  3. >>> a
  4. [1357]
  5. #禁止a增删元素,只需转为元组
  6. >>> t=tuple(a)
  7. >>> t
  8. (1357)
14 转冻结集合

创建不可修改的集合:

  1. >>> a = frozenset([1,1,3,2,3])
  2. >>> a # a 无 pop,append,insert等方法
  3. frozenset({123})
15 商和余数

分别取商和余数

  1. >>> divmod(10,3)
  2. (31)
16 幂和余同时做

pow 三个参数都给出表示先幂运算再取余:

  1. >>> pow(324)
  2. 1
17 四舍五入

四舍五入,ndigits代表小数点后保留几位:

  1. >>> round(10.0452)
  2. 10.04
  3. >>> round(10.0462)
  4. 10.05
18 查看变量所占字节数
  1. >>> import sys
  2. >>> a = {'a':1,'b':2.0}
  3. >>> sys.getsizeof(a) # 变量占用字节数
  4. 240
19 门牌号

返回对象的内存地址

  1. >>> class Student():
  2.       def __init__(self,id,name):
  3.         self.id = id
  4.         self.name = name
  5.           
  6. >>> xiaoming = Student('001','xiaoming'
  7. >>> id(xiaoming)
  8. 2281930739080
20 排序函数

排序:

  1. >>> a = [1,4,2,3,1]
  2. #降序
  3. >>> sorted(a,reverse=True)
  4. [43211]
  5. >>> a = [{'name':'xiaoming','age':18,'gender':'male'},
  6.        {'name':'xiaohong','age':20,'gender':'female'}]
  7. #按 age升序
  8. >>> sorted(a,key=lambda x: x['age'],reverse=False)
  9. [{'name''xiaoming''age'18'gender''male'}, 
  10. {'name''xiaohong''age'20'gender''female'}]
21 求和函数

求和:

  1. >>> a = [1,4,2,3,1]
  2. >>> sum(a)
  3. 11
  4. #求和初始值为1
  5. >>> sum(a,1)
  6. 12
22 计算表达式

计算字符串型表达式的值

  1. >>> s = "1 + 3 +5"
  2. >>> eval(s)
  3. 9
  4. >>> eval('[1,3,5]*3')
  5. [135135135]
23 真假
  1. >>> bool(0)
  2. False
  3. >>> bool(False)
  4. False
  5. >>> bool(None)
  6. False
  7. >>> bool([])
  8. False
  9. >>> bool([False])
  10. True
  11. >>> bool([0,0,0])
  12. True
24 都为真

如果可迭代对象的所有元素都为真,那么返回 True,否则返回False

  1. #有0,所以不是所有元素都为真
  2. >>> all([1,0,3,6])
  3. False
  1. #所有元素都为真
  2. >>> all([1,2,3])
  3. True
25 至少一个为真

接受一个可迭代对象,如果可迭代对象里至少有一个元素为真,那么返回True,否则返回False

  1. # 没有一个元素为真
  2. >>> any([0,0,0,[]])
  3. False
  1. # 至少一个元素为真
  2. >>> any([0,0,1])
  3. True
26 获取用户输入

获取用户输入内容

  1. >>> input()
  2. I'm typing 
  3. "I'm typing "
27 print 用法
  1. >>> lst = [1,3,5]
  2. # f 打印
  3. >>> print(f'lst: {lst}')
  4. lst: [135]
  5. # format 打印
  6. >>> print('lst:{}'.format(lst))
  7. lst:[135]
28 字符串格式化

格式化字符串常见用法

  1. >>> print("i am {0},age {1}".format("tom",18))
  2. i am tom,age 18
  3. >>> print("{:.2f}".format(3.1415926)) # 保留小数点后两位
  4. 3.14
  5. >>> print("{:+.2f}".format(-1)) # 带符号保留小数点后两位
  6. -1.00
  7. >>> print("{:.0f}".format(2.718)) # 不带小数位
  8. 3
  9. >>> print("{:0>3d}".format(5)) # 整数补零,填充左边, 宽度为3
  10. 005
  11. >>> print("{:,}".format(10241024)) # 以逗号分隔的数字格式
  12. 10,241,024
  13. >>> print("{:.2%}".format(0.718)) # 百分比格式
  14. 71.80%
  15. >>> print("{:.2e}".format(10241024)) # 指数记法
  16. 1.02e+07
29 返回对象哈希值

返回对象的哈希值。值得注意,自定义的实例都可哈希:

  1. >>> class Student():
  2.       def __init__(self,id,name):
  3.         self.id = id
  4.         self.name = name
  5.         
  6. >>> xiaoming = Student('001','xiaoming')
  7. >>> hash(xiaoming)
  8. -9223371894234104688

list, dict, set等可变对象都不可哈希(unhashable):

  1. >>> hash([1,3,5])
  2. Traceback (most recent call last):
  3.   File "<pyshell#71>", line 1, in <module>
  4.     hash([1,3,5])
  5. TypeError: unhashable type'list'
30 打开文件

返回文件对象

  1. >>> import os
  2. >>> os.chdir('D:/source/dataset')
  3. >>> os.listdir()
  4. ['drinksbycountry.csv''IMDB-Movie-Data.csv''movietweetings'
  5. 'titanic_eda_data.csv''titanic_train_data.csv']
  6. >>> o = open('drinksbycountry.csv',mode='r',encoding='utf-8')
  7. >>> o.read()
  8. "country,beer_servings,spirit_servings,wine_servings,total_litres_of_pur
  9. e_alcohol,continent\nAfghanistan,0,0,0,0.0,Asia\nAlbania,89,132,54,4.9,"

mode 取值表:

字符意义
'r'读取(默认)
'w'写入,并先截断文件
'x'排它性创建,如果文件已存在则失败
'a'写入,如果文件存在则在末尾追加
'b'二进制模式
't'文本模式(默认)
'+'打开用于更新(读取与写入)
31 查看对象类型

class type(name, bases, dict)

传入参数,返回 object 类型:

  1. >>> type({4,6,1})
  2. <class 'set'>
  3. >>> type({'a':[1,2,3],'b':[4,5,6]})
  4. <class 'dict'>
  5. >>> class Student():
  6.       def __init__(self,id,name):
  7.         self.id = id
  8.         self.name = name
  9. >>> type(Student('1','xiaoming'))
  10. <class '__main__.Student'>
32  两种创建属性方法

返回 property 属性,典型的用法:

  1. >>> class C:
  2.     def __init__(self):
  3.       self._x = None
  4.     def getx(self):
  5.       return self._x
  6.     def setx(self, value):
  7.       self._x = value
  8.     def delx(self):
  9.       del self._x
  10.     # 使用property类创建 property 属性
  11.     x = property(getx, setx, delx, "I'm the 'x' property.")

使用 C 类:

  1. >>> C().x=1
  2. >>> c=C()
  3. # 属性x赋值
  4. >>> c.x=1
  5. # 拿值
  6. >>> c.getx()
  7. 1
  8. # 删除属性x
  9. >>> c.delx()
  10. # 再拿报错
  11. >>> c.getx()
  12. Traceback (most recent call last):
  13.   File "<pyshell#118>", line 1, in <module>
  14.     c.getx()
  15.   File "<pyshell#112>", line 5, in getx
  16.     return self._x
  17. AttributeError: 'C' object has no attribute '_x'
  18. # 再属性赋值
  19. >>> c.x=1
  20. >>> c.setx(1)
  21. >>> c.getx()
  22. 1

使用@property装饰器,实现与上完全一样的效果:

  1. class C:
  2.     def __init__(self):
  3.         self._x = None
  4.     @property
  5.     def x(self):
  6.         return self._x
  7.     @x.setter
  8.     def x(self, value):
  9.         self._x = value
  10.     @x.deleter
  11.     def x(self):
  12.         del self._x
33 是否可调用

判断对象是否可被调用,能被调用的对象是一个callable 对象。

  1. >>> callable(str)
  2. True
  3. >>> callable(int)
  4. True

Student 对象实例目前不可调用:

  1. >>> class Student():
  2.         def __init__(self,id,name):
  3.             self.id = id
  4.             self.name = name
  5. >>> xiaoming = Student(id='1',name='xiaoming')
  6. >>> callable(xiaoming)
  7. False

如果 xiaoming能被调用 , 需要重写Student类的__call__方法:

  1. >>> class Student():
  2.       def __init__(self,id,name):
  3.         self.id = id
  4.         self.name = name

此时调用 xiaoming():

  1. >>> xiaoming = Student('001','xiaoming')
  2. >>> xiaoming()
  3. I can be called
  4. my name is xiaoming
34 动态删除属性

删除对象的属性

  1. >>> class Student():
  2.       def __init__(self,id,name):
  3.         self.id = id
  4.         self.name = name
  5. >>> xiaoming = Student('001','xiaoming')
  6. >>> delattr(xiaoming,'id')
  7. >>> hasattr(xiaoming,'id')
  8. False
35 动态获取对象属性

获取对象的属性

  1. >>> class Student():
  2.       def __init__(self,id,name):
  3.         self.id = id
  4.         self.name = name
  5.        
  6. >>> xiaoming = Student('001','xiaoming')
  7. >>> getattr(xiaoming,'name') # 获取name的属性值
  8. 'xiaoming'
36 对象是否有某个属性
  1. >>> class Student():
  2.       def __init__(self,id,name):
  3.         self.id = id
  4.         self.name = name
  5.         
  6. >>> xiaoming = Student('001','xiaoming')        
  7. >>> getattr(xiaoming,'name')# 判断 xiaoming有无 name属性
  8. 'xiaoming'
  9. >>> hasattr(xiaoming,'name')
  10. True
  11. >>> hasattr(xiaoming,'address')
  12. False
37 isinstance

判断object是否为classinfo的实例,是返回true

  1. >>> class Student():
  2.       def __init__(self,id,name):
  3.         self.id = id
  4.         self.name = name
  5.        
  6. >>> xiaoming = Student('001','xiaoming')
  7. >>> isinstance(xiaoming,Student)
  8. True
38 父子关系鉴定
  1. >>> class Student():
  2.       def __init__(self,id,name):
  3.         self.id = id
  4.         self.name = name
  5.         
  6. >>> class Undergraduate(Student): 
  7.        pass
  8.         
  9. # 判断 Undergraduate 类是否为 Student 的子类 
  10. >>> issubclass(Undergraduate,Student)
  11. True

第二个参数可为元组:

  1. >>> issubclass(int,(int,float))
  2. True
39 所有对象之根

object 是所有类的基类

  1. >>> isinstance(1,object)
  2. True
  3. >>> isinstance([],object)
  4. True
40 一键查看对象所有方法

不带参数时返回当前范围内的变量、方法和定义的类型列表;带参数时返回参数的属性,方法列表。

  1. >>> class Student():
  2.       def __init__(self,id,name):
  3.         self.id = id
  4.         self.name = name
  5. >>> xiaoming = Student('001','xiaoming')
  6. >>> dir(xiaoming)
  7. ['__call__''__class__''__delattr__''__dict__''__dir__''__doc__''__eq__''__format__''__ge__''__getattribute__''__gt__''__hash__''__init__''__init_subclass__''__le__''__lt__''__module__''__ne__''__new__''__reduce__''__reduce_ex__''__repr__''__setattr__''__sizeof__''__str__''__subclasshook__''__weakref__''id''name']
41 枚举对象

Python 的枚举对象

  1. >>> s = ["a","b","c"]
  2. >>> for i,v in enumerate(s):
  3.        print(i,v)
  4. 0 a
  5. 1 b
  6. 2 c
42 创建迭代器
  1. >>> class TestIter():
  2.  def __init__(self,lst):
  3.   self.lst = lst
  4.   
  5.  # 重写可迭代协议__iter__
  6.  def __iter__(self):
  7.   print('__iter__ is called')
  8.   return iter(self.lst)

迭代 TestIter 类:

  1. >>> t = TestIter()
  2. >>> t = TestIter([1,3,5,7,9])
  3. >>> for e in t:
  4.  print(e)
  5.  
  6. __iter__ is called
  7. 1
  8. 3
  9. 5
  10. 7
  11. 9
43 创建range迭代器
  1. range(stop)

  2. range(start, stop[,step])

生成一个不可变序列的迭代器:

  1. >>> t = range(11)
  2. >>> t = range(0,11,2)
  3. >>> for e in t:
  4.      print(e)
  5. 0
  6. 2
  7. 4
  8. 6
  9. 8
  10. 10
44 反向
  1. >>> rev = reversed([1,4,2,3,1])
  2. >>> for i in rev:
  3.  print(i)
  4.  
  5. 1
  6. 3
  7. 2
  8. 4
  9. 1
45 打包

聚合各个可迭代对象的迭代器:

  1. >>> x = [3,2,1]
  2. >>> y = [4,5,6]
  3. >>> list(zip(y,x))
  4. [(43), (52), (61)]
  5. >>> for i,j in zip(y,x):
  6.  print(i,j)
  7. 4 3
  8. 5 2
  9. 6 1
46 过滤器

函数通过 lambda 表达式设定过滤条件,保留 lambda 表达式为True的元素:

  1. >>> fil = filter(lambda x: x>10,[1,11,2,45,7,6,13])
  2. >>> for e in fil:
  3.        print(e)
  4. 11
  5. 45
  6. 13
47 链式比较
  1. >>> i = 3
  2. >>> 1 < i < 3
  3. False
  4. >>> 1 < i <=3
  5. True
48  链式操作
  1. >>> from operator import (add, sub)
  2. >>> def add_or_sub(a, b, oper):
  3.  return (add if oper == '+' else sub)(a, b)
  4. >>> add_or_sub(12'-')
  5. -1
49 split 分割**
  1. >>> 'i love python'.split(' ')
  2. ['i''love''python']
50 replace 替换
  1. >>> 'i\tlove\tpython'.replace('\t',',')
  2. 'i,love,python'
51 反转字符串
  1. >>> st="python"
  2. >>> ''.join(reversed(st))
  3. 'nohtyp'
52 使用time模块打印当前时间
  1. # 导入time模块
  2. >>> import time
  3. # 打印当前时间,返回浮点数
  4. >>> seconds = time.time()
  5. >>> seconds
  6. 1588858156.6146255
53 浮点数转时间结构体
  1. # 浮点数转时间结构体
  2. >>> local_time = time.localtime(seconds)
  3. >>> local_time
  4. time.struct_time(tm_year=2020, tm_mon=5, tm_mday=7, tm_hour=21, tm_min=29, tm_sec=16, tm_wday=3, tm_yday=128, tm_isdst=0)
  • tm_year: 年

  • tm_mon: 月

  • tm_mday: 日

  • tm_hour: 小时

  • tm_min:分

  • tm_sec: 分

  • tm_sec: 秒

  • tm_wday: 一周中索引([0,6], 周一的索引:0)

  • tm_yday: 一年中索引([1,366])

  • tm_isdst: 1 if summer time is in effect, 0 if not, and -1 if unknown

54 时间结构体转时间字符串
  1. # 时间结构体转时间字符串
  2. >>> str_time = time.asctime(local_time)
  3. >>> str_time
  4. 'Thu May  7 21:29:16 2020'
55 时间结构体转指定格式时间字符串
  1. # 时间结构体转指定格式的时间字符串
  2. >>> format_time = time.strftime('%Y.%m.%d %H:%M:%S',local_time)
  3. >>> format_time
  4. '2020.05.07 21:29:16'
56 时间字符串转时间结构体
  1. # 时间字符串转时间结构体
  2. >>> time.strptime(format_time,'%Y.%m.%d %H:%M:%S')
  3. time.struct_time(tm_year=2020, tm_mon=5, tm_mday=7, tm_hour=21, tm_min=29, tm_sec=16, tm_wday=3, tm_yday=128, tm_isdst=-1)
57 年的日历图
  1. >>> import calendar
  2. >>> from datetime import date
  3. >>> mydate=date.today()
  4. >>> calendar.calendar(2020)

结果:

  1.                                   2020
  2.       January                   February                   March        
  3. Mo Tu We Th Fr Sa Su      Mo Tu We Th Fr Sa Su      Mo Tu We Th Fr Sa Su
  4.        1  2  3  4  5                      1  2                         1
  5.  6  7  8  9 10 11 12       3  4  5  6  7  8  9       2  3  4  5  6  7  8
  6. 13 14 15 16 17 18 19      10 11 12 13 14 15 16       9 10 11 12 13 14 15
  7. 20 21 22 23 24 25 26      17 18 19 20 21 22 23      16 17 18 19 20 21 22
  8. 27 28 29 30 31            24 25 26 27 28 29         23 24 25 26 27 28 29
  9.                                                     30 31
  10.        April                      May                       June
  11. Mo Tu We Th Fr Sa Su      Mo Tu We Th Fr Sa Su      Mo Tu We Th Fr Sa Su
  12.        1  2  3  4  5                   1  2  3       1  2  3  4  5  6  7
  13.  6  7  8  9 10 11 12       4  5  6  7  8  9 10       8  9 10 11 12 13 14
  14. 13 14 15 16 17 18 19      11 12 13 14 15 16 17      15 16 17 18 19 20 21
  15. 20 21 22 23 24 25 26      18 19 20 21 22 23 24      22 23 24 25 26 27 28
  16. 27 28 29 30               25 26 27 28 29 30 31      29 30
  17.         July                     August                  September
  18. Mo Tu We Th Fr Sa Su      Mo Tu We Th Fr Sa Su      Mo Tu We Th Fr Sa Su
  19.        1  2  3  4  5                      1  2          1  2  3  4  5  6
  20.  6  7  8  9 10 11 12       3  4  5  6  7  8  9       7  8  9 10 11 12 13
  21. 13 14 15 16 17 18 19      10 11 12 13 14 15 16      14 15 16 17 18 19 20
  22. 20 21 22 23 24 25 26      17 18 19 20 21 22 23      21 22 23 24 25 26 27
  23. 27 28 29 30 31            24 25 26 27 28 29 30      28 29 30
  24.                           31
  25.       October                   November                  December
  26. Mo Tu We Th Fr Sa Su      Mo Tu We Th Fr Sa Su      Mo Tu We Th Fr Sa Su
  27.           1  2  3  4                         1          1  2  3  4  5  6
  28.  5  6  7  8  9 10 11       2  3  4  5  6  7  8       7  8  9 10 11 12 13
  29. 12 13 14 15 16 17 18       9 10 11 12 13 14 15      14 15 16 17 18 19 20
  30. 19 20 21 22 23 24 25      16 17 18 19 20 21 22      21 22 23 24 25 26 27
  31. 26 27 28 29 30 31         23 24 25 26 27 28 29      28 29 30 31
  32.                           30
58 月的日历图
  1. >>> import calendar
  2. >>> from datetime import date
  3. >>> mydate = date.today()
  4. >>> calendar.month(mydate.year, mydate.month)

结果:

  1.       May 2020
  2. Mo Tu We Th Fr Sa Su
  3.              1  2  3
  4.  4  5  6  7  8  9 10
  5. 11 12 13 14 15 16 17
  6. 18 19 20 21 22 23 24
  7. 25 26 27 28 29 30 31
59 判断是否为闰年
  1. >>> import calendar
  2. >>> from datetime import date
  3. >>> mydate = date.today()
  4. >>> is_leap = calendar.isleap(mydate.year)
  5. >>> ("{}是闰年" if is_leap else "{}不是闰年\n").format(mydate.year)
  6. '2020是闰年'
60 with 读写文件

读文件:

  1. >> import os
  2. >>> os.chdir('D:/source/dataset')
  3. >>> os.listdir()
  4. ['drinksbycountry.csv''IMDB-Movie-Data.csv''movietweetings''test.csv''titanic_eda_data.csv''titanic_train_data.csv''train.csv']
  5. # 读文件
  6. >>> with open('drinksbycountry.csv',mode='r',encoding='utf-8') as f:
  7.       o = f.read()
  8.       print(o)

写文件:

  1. # 写文件
  2. >>> with open('new_file.txt',mode='w',encoding='utf-8') as f:
  3.       w = f.write('I love python\n It\'s so simple')
  4.       os.listdir()
  5.  
  6. ['drinksbycountry.csv''IMDB-Movie-Data.csv''movietweetings''new_file.txt''test.csv''titanic_eda_data.csv''titanic_train_data.csv''train.csv']
  7. >>> with open('new_file.txt',mode='r',encoding='utf-8') as f:
  8.       o = f.read()
  9.       print(o)
  10.  
  11. I love python
  12.  It's so simple
61 提取后缀名
  1. >>> import os
  2. >>> os.path.splitext('D:/source/dataset/new_file.txt')
  3. ('D:/source/dataset/new_file''.txt') #[1]:后缀名
62 提取完整文件名
  1. >>> import os
  2. >>> os.path.split('D:/source/dataset/new_file.txt')
  3. ('D:/source/dataset''new_file.txt')

二、 Python 核心 12 例

63 斐波那契数列前n项
  1. >>> def fibonacci(n):
  2.       a, b = 11
  3.       for _ in range(n):
  4.         yield a
  5.         a, b = b, a+b # 注意这种赋值
  6. >>> for fib in fibonacci(10):
  7.       print(fib)
  8.  
  9. 1
  10. 1
  11. 2
  12. 3
  13. 5
  14. 8
  15. 13
  16. 21
  17. 34
  18. 55
64 list 等分 n 组
  1. >>> from math import ceil
  2. >>> def divide_iter(lst, n):
  3.       if n <= 0:
  4.         yield lst
  5.         return
  6.       i, div = 0, ceil(len(lst) / n)
  7.       while i < n:
  8.         yield lst[i * div: (i + 1) * div]
  9.         i += 1
  10.   
  11. >>> for group in divide_iter([1,2,3,4,5],2):
  12.       print(group)
  13.  
  14. [123]
  15. [45]
65 yield 解释

有好几位同学问我,生成器到底该怎么理解。

在这里我总结几句话,看看是否对不理解生成器的朋友有帮助。

生成器首先是一个 “特殊的” return ,遇到 yield 立即中断返回。

但是,又与 return 不同,yield 后下一次执行会进入到yield 的下一句代码,而不像 return 下一次执行还是从函数体的第一句开始执行。

可能还是没说清,那就用图解释一下:

第一次 yield 返回 1

第二次迭代,直接到位置 2 这句代码:

然后再走 for ,再 yield ,重复下去,直到for结束。

以上就是理解 yield 的重点一个方面。

66 装饰器
66.1 定义装饰器

time 模块大家比较清楚,第一个导入 wraps 函数(装饰器)为确保被装饰的函数名称等属性不发生改变用的,这点现在不清楚也问题不大,实践一下就知道了。

  1. from functools import wraps
  2. import time

定义一个装饰器:print_info,装饰器函数入参要求为函数,返回值要求也为函数。

如下,入参为函数 f, 返回参数 info 也为函数,满足要求。

  1. def print_info(f):
  2.     """
  3.     @para: f, 入参函数名称
  4.     """
  5.     @wraps(f) # 确保函数f名称等属性不发生改变
  6.     def info():
  7.         print('正在调用函数名称为: %s ' % (f.__name__,))
  8.         t1 = time.time()
  9.         f()
  10.         t2 = time.time()
  11.         delta = (t2 - t1)
  12.         print('%s 函数执行时长为:%f s' % (f.__name__,delta))
  13.     return info
66.2使用装饰器

使用 print_info 装饰器,分别修饰 f1, f2 函数。

软件工程要求尽量一次定义,多次被复用。

  1. @print_info
  2. def f1():
  3.     time.sleep(1.0)
  4. @print_info
  5. def f2():
  6.     time.sleep(2.0)
66.3 使用装饰后的函数

使用 f1, f2 函数:

  1. f1()
  2. f2()
  3. # 输出信息如下:
  4. # 正在调用函数名称为:f1
  5. # f1 函数执行时长为:1.000000 s
  6. # 正在调用函数名称为:f2
  7. # f2 函数执行时长为:2.000000 s
67 迭代器案例

一个类如何成为迭代器类型,请看官方PEP说明:

即必须实现两个方法(或者叫两种协议):__iter__ , __next__

下面编写一个迭代器类:

  1. class YourRange():
  2.     def __init__(self, start, end):
  3.         self.value = start
  4.         self.end = end
  5.     # 成为迭代器类型的关键协议
  6.     def __iter__(self):
  7.         return self
  8.     # 当前迭代器状态(位置)的下一个位置
  9.     def __next__(self):
  10.         if self.value >= self.end:
  11.             raise StopIteration
  12.         cur = self.value
  13.         self.value += 1
  14.         return cur

使用这个迭代器:

  1. yr = YourRange(512)
  2. for e in yr:
  3.     print(e)

迭代器实现__iter__ 协议,它就能在 for 上迭代,参考官网PEP解释:

文章最后提个问题,如果此时运行:

next(yr)

会输出 5, 还是报错?

如果 yr 是 list,for 遍历后,再 next(iter(yr)) 又会输出什么?

如果能分清这些问题,恭喜你,已经真正理解迭代器迭代和容器遍历的区别。如果你还拿不准,欢迎交流。

下面使用 4 种常见的绘图库绘制柱状图和折线图,使用尽可能最少的代码绘制,快速入门这些库是本文的写作目的。

68 matplotlib

导入包:

  1. import matplotlib 
  2. matplotlib.__version__  # '2.2.2'
  3. import matplotlib.pyplot as plt

绘图代码:

  1. import matplotlib.pyplot as plt 
  2. plt.plot([012345],
  3.         [1.51-1.30.70.80.9]
  4.         ,c='red')
  5. plt.bar([012345],
  6.         [20.50.7-1.20.30.4]
  7.         )
  8. plt.show()
69 seaborn

导入包:

  1. import seaborn as sns 
  2. sns.__version__ # '0.8.0'

绘制图:

  1. sns.barplot([012345],
  2.         [1.51-1.30.70.80.9]
  3.         )
  4. sns.pointplot([012345],
  5.         [20.50.7-1.20.30.4]
  6.         )
  7. plt.show()
70 plotly 绘图

导入包:

  1. import plotly 
  2. plotly.__version__ # '2.0.11'

绘制图(自动打开html):

  1. import plotly.graph_objs as go
  2. import plotly.offline as offline
  3. pyplt = offline.plot
  4. sca = go.Scatter(x=[012345],
  5.              y=[1.51-1.30.70.80.9]
  6.             )
  7. bar = go.Bar(x=[012345],
  8.             y=[20.50.7-1.20.30.4]
  9.             )
  10. fig = go.Figure(data = [sca,bar])
  11. pyplt(fig)
71 pyecharts

导入包:

  1. import pyecharts
  2. pyecharts.__version__ # '1.7.1'

绘制图(自动打开html):

  1. bar = (
  2.         Bar()
  3.         .add_xaxis([012345])
  4.         .add_yaxis('ybar',[1.51-1.30.70.80.9])
  5.     )
  6. line = (Line()
  7.         .add_xaxis([012345])
  8.         .add_yaxis('yline',[20.50.7-1.20.30.4])
  9.         )
  10. bar.overlap(line)
  11. bar.render_notebook()

大家在复现代码时,需要注意API与包的版本紧密相关,与上面版本不同的包其内的API可能与以上写法有略有差异,大家根据情况自行调整即可。

matplotlib 绘制三维 3D 图形的方法,主要锁定在绘制 3D 曲面图和等高线图。

72 理解 meshgrid

要想掌握 3D 曲面图,需要首先理解 meshgrid 函数。

导入包:

  1. import numpy as np
  2. import matplotlib.pyplot as plt

创建一维数组 x

  1. nx, ny = (53)
  2. x = np.linspace(01, nx)
  3. x
  4. # 结果
  5. # array([0.  , 0.250.5 , 0.751.  ])

创建一维数组 y

  1. y = np.linspace(01, ny)
  2. # 结果
  3. # array([0. , 0.51. ])

使用 meshgrid 生成网格点:

  1. xv, yv = np.meshgrid(x, y)
  2. xv

xv 结果:

  1. array([[0.  , 0.250.5 , 0.751.  ],
  2.        [0.  , 0.250.5 , 0.751.  ],
  3.        [0.  , 0.250.5 , 0.751.  ]])

yv 结果:

  1. array([[0. , 0. , 0. , 0. , 0. ],
  2.        [0.50.50.50.50.5],
  3.        [1. , 1. , 1. , 1. , 1. ]])

绘制网格点:

  1. plt.scatter(xv.flatten(),yv.flatten(),c='red')
  2. plt.xticks(ticks=x)
  3. plt.yticks(ticks=y)

以上就是 meshgrid 功能:创建网格点,它是绘制 3D 曲面图的必用方法之一。

73 绘制曲面图

导入 3D 绘图模块:

from mpl_toolkits.mplot3d import Axes3D

生成X,Y,Z

  1. # X, Y 
  2. x = np.arange(-550.25)
  3. y = np.arange(-550.25)
  4. X, Y = np.meshgrid(x, y)    # x-y 平面的网格
  5. R = np.sqrt(X ** 2 + Y ** 2)
  6. # Z
  7. Z = np.sin(R)

绘制 3D 曲面图:

  1. fig = plt.figure()
  2. ax = Axes3D(fig)
  3. plt.xticks(ticks=np.arange(-5,6))
  4. plt.yticks(ticks=np.arange(-5,6))
  5. ax.plot_surface(X, Y, Z, cmap=plt.get_cmap('rainbow'))
  6. plt.show()
74 等高线图

以上 3D 曲面图的在 xy平面、 xz平面、yz平面投影,即是等高线图。

xy 平面投影得到的等高线图:

  1. fig = plt.figure()
  2. ax = Axes3D(fig)
  3. plt.xticks(ticks=np.arange(-5,6))
  4. plt.yticks(ticks=np.arange(-5,6))
  5. ax.contourf(X, Y, Z, zdir='z', offset=-1, cmap=plt.get_cmap('rainbow'))
  6. plt.show()

三、 Python 习惯 26 例

75 / 返回浮点数

即便两个整数,/ 操作也会返回浮点数

  1. In [1]: 8/5
  2. Out[1]: 1.6
76 // 得到整数部分

使用 //快速得到两数相除的整数部分,并且返回整型,此操作符容易忽略,但确实很实用。

  1. In [2]: 8//5
  2. Out[2]: 1
  3. In [3]: a = 8//5
  4. In [4]: type(a)
  5. Out[4]: int
77 % 得到余数

%得到两数相除的余数:

  1. In [6]: 8%5
  2. Out[6]: 3
78 ** 计算乘方

** 计算几次方

  1. In [7]: 2**3
  2. Out[7]: 8
79 交互模式下的_

在交互模式下,上一次打印出来的表达式被赋值给变量 _

  1. In [8]: 2*3.02+1
  2. Out[8]: 7.04
  3. In [9]: 1+_
  4. Out[9]: 8.04
80 单引号和双引号微妙不同

使用单引号和双引号的微妙不同

使用一对双引号时,打印下面串无需转义字符:

  1. In [10]: print("That isn't a horse")
  2. That isn't a horse

使用单引号时,需要添加转义字符 \

  1. In [11]: print('That isn\'t a horse')
  2. That isn't a horse
81 跨行连续输入

符串字面值可以跨行连续输入;一种方式是用一对三重引号:"""'''

  1. In [12]: print("""You're just pounding two
  2.     ...: coconut halves together.""")
  3. You're just pounding two
  4. coconut halves together.
82 数字和字符串
  1. In [13]: 3*'Py'
  2. Out[13]: 'PyPyPy'
83 连接字面值

堆积起来就行,什么都不用写:

  1. In [14]: 'Py''thon'
  2. Out[14]: 'Python'
84 for 和 else

一般语言 else 只能和 if 搭,Python 中却支持 for 和 else, try 和 else.

for 和 else 搭后,遍历结束便会执行 else

  1. In [29]: for i in range(3):
  2.     ...:     for j in range(i):
  3.     ...:         print(j)
  4.     ...:     else:
  5.     ...:         print('第%d轮遍历结束\n'%(i+1,))
  6.     ...:
  7. 1轮遍历结束
  8. 0
  9. 2轮遍历结束
  10. 0
  11. 1
  12. 3轮遍历结束
85. if not x

直接使用 x 和 not x 判断 x 是否为 None 或空

  1. x = [1,3,5]
  2. if x:
  3. print('x is not empty ')
  4. if not x:
  5. print('x is empty')

下面写法不够 Pythoner

  1. if x and len(x) > 0:
  2. print('x is not empty ')
  3. if x is None or len(x) == 0:
  4. print('x is empty')
86. enumerate 枚举

直接使用 enumerate 枚举容器,第二个参数表示索引的起始值

  1. x = [1, 3, 5]
  2. for i, e in enumerate(x, 10): # 枚举
  3. print(i, e)

下面写法不够 Pythoner:

  1. i = 0
  2. while i < len(x):
  3. print(i+10, x[i])
  4. i+=1
87. in

判断字符串是否包含某个子串,使用in明显更加可读:

  1. x = 'zen_of_python'
  2. if 'zen' in x:
  3. print('zen is in')

find 返回值 要与 -1 判断,不太符合习惯:

  1. if x.find('zen') != -1:
  2. print('zen is in')
88 zip 打包

使用 zip 打包后结合 for 使用输出一对,更加符合习惯:

  1. keys = ['a', 'b', 'c']
  2. values = [1, 3, 5]
  3. for k, v in zip(keys, values):
  4. print(k, v)

下面不符合 Python 习惯:

  1. d = {}
  2. i = 0
  3. for k in keys:
  4. print(k, values[i])
  5. i += 1
89 一对 '''

打印被分为多行的字符串,使用一对 ''' 更加符合 Python 习惯:

  1. print('''"Oh no!" He exclaimed.
  2. "It's the blemange!"''')

下面写法就太不 Python 风格:

  1. print('"Oh no!" He exclaimed.\n' +
  2. 'It\'s the blemange!"')
90 交换元素

直接解包赋值,更加符合 Python 风格:

  1. a, b = 1, 3
  2. a, b = b, a # 交换a,b

不要再用临时变量 tmp ,这不符合 Python 习惯:

  1. tmp = a
  2. a = b
  3. b = tmp
91 join 串联

串联字符串,更习惯使用 join:

  1. chars = ['P', 'y', 't', 'h', 'o', 'n']
  2. name = ''.join(chars)
  3. print(name)

下面不符合 Python 习惯:

  1. name = ''
  2. for c in chars:
  3. name += c
  4. print(name)
92 列表生成式

列表生成式构建高效,符合 Python 习惯:

  1. data = [1, 2, 3, 5, 8]
  2. result = [i * 2 for i in data if i & 1] # 奇数则乘以2
  3. print(result) # [2, 6, 10]

下面写法不够 Pythoner:

  1. results = []
  2. for e in data:
  3. if e & 1:
  4. results.append(e*2)
  5. print(results)
93 字典生成式

除了列表生成式,还有字典生成式:

  1. keys = ['a', 'b', 'c']
  2. values = [1, 3, 5]
  3. d = {k: v for k, v in zip(keys, values)}
  4. print(d)

下面写法不太 Pythoner:

  1. d = {}
  2. for k, v in zip(keys, values):
  3. d[k] = v
  4. print(d)
94 __name__ == '__main__'有啥用

曾几何时,看这别人代码这么写,我们也就跟着这么用吧,其实还没有完全弄清楚这行到底干啥。

  1. def mymain():
  2. print('Doing something in module', __name__)
  3. if __name__ == '__main__':
  4. print('Executed from command line')
  5. mymain()

加入上面脚本命名为 MyModule,不管在 vscode 还是 pycharm 直接启动,则直接打印出:

  1. Executed from command line
  2. Doing something in module __main__

这并不奇怪,和我们预想一样,因为有无这句 __main__ ,都会打印出这些。

但是当我们 import MyModule 时,如果没有这句,直接就打印出:

  1. In [2]: import MyModule
  2. Executed from command line
  3. Doing something in module MyModule

只是导入就直接执行 mymain 函数,这不符合我们预期。

如果有主句,导入后符合预期:

  1. In [6]: import MyModule
  2. In [7]: MyModule.mymain()
  3. Doing something in module MyModule
95 字典默认值
  1. In[1]: d = {'a': 1, 'b': 3}
  2. In[2]: d.get('b', []) # 存在键 'b'
  3. Out[2]: 3
  4. In[3]: d.get('c', []) # 不存在键 'c',返回[]
  5. Out[3]: []
96 lambda 函数

lambda 函数使用方便,主要由入参和返回值组成,被广泛使用在 max, map, reduce, filter 等函数的 key 参数中。

如下,求 x 中绝对值最大的元素,key 函数确定abs(x)作为比较大小的方法:

  1. x = [1, 3, -5]
  2. y = max(x, key=lambda x: abs(x))
  3. print(y) # -5
97 max

求 x 中绝对值最大的元素,key 函数确定abs(x)作为比较大小的方法:

  1. x = [1, 3, -5]
  2. y = max(x, key=lambda x: abs(x))
  3. print(y) # -5
98 map

map 函数映射 fun 到容器中每个元素,并返回迭代器 x

  1. x = map(str, [1, 3, 5])
  2. for e in x:
  3. print(e, type(e))

下面写法不够 Pythoner

  1. for e in [1, 3, 5]:
  2. print(e, str(e)) # '1','3','5'
99 reduce

reduce 是在 functools 中,第一个参数是函数,其必须含有 2 个参数,最后归约为一个标量。

  1. from functools import reduce
  2. x = [1, 3, 5]
  3. y = reduce(lambda p1, p2: p1*p2, x)
  4. print(y) # 15

下面写法不够 Pythoner:

  1. y = 1
  2. for e in x:
  3. y *= e
  4. print(y)
100 filter

使用 filter 找到满足 key 函数指定条件的元素,并返回迭代器

如下,使用 filter 找到所有奇数:

  1. x = [1, 2, 3, 5]
  2. odd = filter(lambda e: e % 2, x)
  3. for e in odd: # 找到奇数
  4. print(e)

还有另外一种方法,使用列表生成式,直接得到一个odd 容器,

  1. odd = [e for e in x if e % 2]
  2. print(odd) # [1,3,5]

下面写法最不符合 Python 习惯:

  1. odd = []
  2. for e in x:
  3. if e % 2:
  4. odd.append(e)
  5. print(odd) # [1,3,5]

此教程反复打磨多遍,真心不易,如果觉得还不错,你能转发、留言或在看支持一下吗?

  1. 往期精彩回顾
  2. 适合初学者入门人工智能的路线及资料下载机器学习及深度学习笔记等资料打印机器学习在线手册深度学习笔记专辑《统计学习方法》的代码复现专辑
  3. AI基础下载机器学习的数学基础专辑获取一折本站知识星球优惠券,复制链接直接打开:https://t.zsxq.com/yFQV7am本站qq群1003271085。加入微信群请扫码进群:
声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/羊村懒王/article/detail/186611
推荐阅读
相关标签
  

闽ICP备14008679号