python函数、装饰器、迭代器、生成器

时间:2023-01-07 14:30:33

目录:

  • 函数补充进阶
    • 函数对象
    • 函数的嵌套
    • 名称空间与作用域
    • 闭包函数
  • 函数之装饰器
  • 函数之迭代器
  • 函数之生成器
  • 内置函数

一、函数补充进阶

  1、函数对象: 

函数是第一类对象,即函数可以当作数据传递,它的应用形式也被称为高阶函数,函数的特性如下:

a. 可以被引用

 # def foo():
# print('from foo')
#
# func = foo
# print(foo) # 不加括号为foo函数的内存地址
# print(func) # func指向foo内存地址
# func() # foo内存地址,加()执行
'''
结果:
<function foo at 0x0000007D79483E18>
<function foo at 0x0000007D79483E18>
from foo
'''

b. 可以当作参数传递

 # def foo():
# print('from foo')
#
# def bar(func):
# print(func)
# func()
#
# bar(foo) # foo函数内存地址被当作参数传递到bar函数中,并调用 '''
结果:
<function foo at 0x00000049CC9A3E18>
from foo
'''

c. 返回值可以是函数

 # def foo():
# print('from foo')
#
# def bar(func):
# return func
#
# f = bar(foo) # 去到返回值foo内存地址
# print(f)
# f() # 调用 '''
结果:
<function foo at 0x000000F005753E18>
from foo
'''

d. 应用

 # def select(sql):
# print('----〉select:%s' % sql)
#
# def insert(sql):
# print('----〉insert:%s' % sql)
#
# def update(sql):
# print('----〉update:%s' % sql)
#
# def delect(sql):
# print('----〉delect:%s' % sql)
#
# sql_dic = {
# 'select':select,
# 'delect':delect,
# 'insert':insert,
# 'update':update
# }
# def main():
# while True:
# sql = input('sql>>>').strip()
# if not sql:continue
# sql_l = sql.split(' ')
# if sql_l[0] in sql_dic:
# sql_dic[sql_l[0]](sql_l)
#
# main()
'''
结果:
sql>>>select * form fafafa
----〉select:['select', '*', 'form', 'fafafa']
sql>>>insert * faormafa faf a
----〉insert:['insert', '*', 'faormafa', '', 'faf', 'a']
sql>>>
'''

  2、函数的嵌套

闭包函数基础

a. 函数的嵌套定义: 函数的嵌套定义:顾名思义就是函数里面,套函数。应用如闭包、装饰器

 '''
函数的嵌套定义:顾名思义就是函数里面,套函数。应用如闭包、装饰器
'''
# 层层调用,层层执行
# def f1():
# def f2():
# print('from f2')
# def f3():
# print('from f3')
# f3()
# f2()
# f1()
'''
结果:
from f2
from f3
'''

b. 函数的嵌套调用:属于面向过程(分子原子级操作),细分问题

 '''
函数的嵌套调用
'''
# 判断两个数数字的大小
# def max2(x,y):
# return x if x > y else y # 判断4个数大小,调用上面的函数
# def max4(a,b,c,d):
# res1=max2(a,b)
# res2=max2(res1,c)
# res3=max2(res2,d)
# return res3
#
# print(max4(10,99,31,22))
'''
结果:
99
'''

  3、名称空间与作用域

a. 名称空间定义(namespace): 名称与对象之间的关系,可以将命名空间看做是字典,其中的键是名称,值是对象

 '''
1、名称空间定义(namespace): 名字绑定值时,名字与值得对应关系的存放位置为名称空间
定义名字的方法
'''
# a.导入模块
# import time
# b.变量赋值
# name='egon'
# c.函数定义
# def func():
# pass
# d.类定义(面向对象)
# class Foo:
# pass

b. 名称空间的分类:

1.内置名称空间:随着python解释器的启动而产生

 # print(sum)
# print(max)
# print(min)
# 等等,python已启动,初始定义的功能。
'''
结果:
<built-in function sum>
<built-in function max>
<built-in function min>
''' # print(max([1,2,3])) # builtins dir()函数接受模块名作为参数,返回一个排好序的字符串列表,内容是一个模块里定义过的名字。
# import builtins
# dir 对象的内建名称空间
# for i in dir(builtins):
# print(i)

2.全局名称空间:文件的执行会产生全局名称空间,指的是文件级别定义的名字都会放入改空间

 # 不在函数和类,定义变量
# x=1
# if x ==1 :
# y=2 # 不在函数和类,导入模块
# import time # 不在函数和类,定义变量
# name='egon' # 不在类中,定义的函数名
# def func():
# pass # 不在类中,定义类名
# class Foo:
# pass # x=1
# def func():
# money=2000
# x=2
# print(func)
# # 局部x=2 没有调到
# print(x)
# # 取到内存地址
# print(func)
# # 执行函数可以调到全局变量
# func()
# # print(money) # money属于局部变量,调用不了

3.局部名称空间:调用函数时会产生局部名称空间,只在函数调用时临时绑定,调用结束解绑定

 # x=10000
# def func():
# x = 1 局部变量
# x=1
# def f1():
# pass

c. 作用域:为名称空间的具体应用。他们之间的关系,如下对应:

1.全局作用域:内置名称空间,全局名层空间

2.局部作用:局部名称空间

d. 作用于的优先级顺序:局部名称空间---》全局名层空间---》内置名称空间

 '''
# 后生效
# x=1
# def func():
# # 优先生效
# x = 2
# print(x)
# sum = 123123
# print(sum)
# func()
'''
结果:
2
123123
''' # x = 1
# def func():
# x=2
#
# func()
#
# print(x)
'''
结果:
1
'''

1.查看全局作用域内的名字:gloabls()
2.查看局局作用域内的名字:locals()

 '''
查看全局作用域内的名字:gloabls()
查看局部作用域内的名字:locals()
'''
x=1000
def func():
x=2
# 全局作用域内
print(globals())
# 局部作用域
print(locals())
func()
# 全局作用域内
print(globals())
# 局部作用域
print(locals())
# 在全局环境中,locals()和globals()是一样的,但是在局部环境中,就不一样了
print(globals() is locals())
'''
结果:
{'__name__': '__main__', '__doc__': '\n名称空间与作用域\n1、名称空间定义(namespace): 名称与对象之间的关系,可以将命名空间看做是字典,其中的键是名称,值是对象\n2、名称空间的分类: \n 内置名称空间:随着python解释器的启动而产生\n 全局名称空间:文件的执行会产生全局名称空间,指的是文件级别定义的名字都会放入改空间\n 局部名称空间:调用函数时会产生局部名称空间,只在函数调用时临时绑定,调用结束解绑定\n3、作用域:为名称空间的具体应用。他们之间的关系,如下对应:\n 全局作用域:内置名称空间,全局名层空间\n 局部作用:局部名称空间\n4、作用于的优先级顺序:局部名称空间---》全局名层空间---》内置名称空间\n 查看全局作用域内的名字:gloabls()\n 查看局局作用域内的名字:locals()\n', '__package__': None, '__loader__': <_frozen_importlib_external.SourceFileLoader object at 0x000000D9A5DCB160>, '__spec__': None, '__annotations__': {}, '__builtins__': <module 'builtins' (built-in)>, '__file__': 'D:/old_boy/old_boy_17_04/名称空间与作用域.py', '__cached__': None, 'x': 1000, 'func': <function func at 0x000000D9A5B03E18>}
{'x': 2}
{'__name__': '__main__', '__doc__': '\n名称空间与作用域\n1、名称空间定义(namespace): 名称与对象之间的关系,可以将命名空间看做是字典,其中的键是名称,值是对象\n2、名称空间的分类: \n 内置名称空间:随着python解释器的启动而产生\n 全局名称空间:文件的执行会产生全局名称空间,指的是文件级别定义的名字都会放入改空间\n 局部名称空间:调用函数时会产生局部名称空间,只在函数调用时临时绑定,调用结束解绑定\n3、作用域:为名称空间的具体应用。他们之间的关系,如下对应:\n 全局作用域:内置名称空间,全局名层空间\n 局部作用:局部名称空间\n4、作用于的优先级顺序:局部名称空间---》全局名层空间---》内置名称空间\n 查看全局作用域内的名字:gloabls()\n 查看局局作用域内的名字:locals()\n', '__package__': None, '__loader__': <_frozen_importlib_external.SourceFileLoader object at 0x000000D9A5DCB160>, '__spec__': None, '__annotations__': {}, '__builtins__': <module 'builtins' (built-in)>, '__file__': 'D:/old_boy/old_boy_17_04/名称空间与作用域.py', '__cached__': None, 'x': 1000, 'func': <function func at 0x000000D9A5B03E18>}
{'__name__': '__main__', '__doc__': '\n名称空间与作用域\n1、名称空间定义(namespace): 名称与对象之间的关系,可以将命名空间看做是字典,其中的键是名称,值是对象\n2、名称空间的分类: \n 内置名称空间:随着python解释器的启动而产生\n 全局名称空间:文件的执行会产生全局名称空间,指的是文件级别定义的名字都会放入改空间\n 局部名称空间:调用函数时会产生局部名称空间,只在函数调用时临时绑定,调用结束解绑定\n3、作用域:为名称空间的具体应用。他们之间的关系,如下对应:\n 全局作用域:内置名称空间,全局名层空间\n 局部作用:局部名称空间\n4、作用于的优先级顺序:局部名称空间---》全局名层空间---》内置名称空间\n 查看全局作用域内的名字:gloabls()\n 查看局局作用域内的名字:locals()\n', '__package__': None, '__loader__': <_frozen_importlib_external.SourceFileLoader object at 0x000000D9A5DCB160>, '__spec__': None, '__annotations__': {}, '__builtins__': <module 'builtins' (built-in)>, '__file__': 'D:/old_boy/old_boy_17_04/名称空间与作用域.py', '__cached__': None, 'x': 1000, 'func': <function func at 0x000000D9A5B03E18>}
True
'''

  4、闭包函数

函数嵌套的一种方式,必须遵守以下规则:

a. 定义在内部函数
b. 包含对外部作用域而非全局作用域的引用,该内部函数就成为闭包函数

 # 定义实例,对象隐藏,全局不可见
# def f1():
# # x内部隐藏,全局不可见
# x = 1
# def f2():
# print(x)
#
# return f2
#
# f=f1()
# # print(f)
# # x因为隐藏,所以全局作用域无效
# x=100000000000000000000000000
# f()
'''
结果:
1
'''

闭包应用:惰性计算

 # 爬网页,老式方法
# res=urlopen('http://crm.oldboyedu.com').read()
# print(res.decode('utf-8'))
# from urllib.request import urlopen # def index(url):
# def get():
# return urlopen(url).read()
# return get # 存在内存里
# oldboy=index('http://crm.oldboyedu.com')
# 什么时候想用,什么时候用
# print(oldboy().decode('utf-8')) # 闭包函数相对与普通函数会多出一个__closure__的属性,里面定义了一个元组用于存放所有的cell对象,
# 每个cell对象一一保存了这个闭包中所有的外部变量
# print(oldboy.__closure__[0].cell_contents) # def f1():
# x = 1
# y = 2
# def f2():
# print(x,y)
# return f2
#
# a = f1()
# # a()
# print(a.__closure__[1].cell_contents)
'''
结果:
2
'''

二、函数之装饰器

装饰器:修饰别人的工具,修饰添加功能,工具指的是函数
装饰器本身可以是任何可调用对象,被装饰的对象也可以是任意可调用对象
为什么要用装饰器?

a. 开放封闭原则:对修改是封闭的,对扩展是开放的
b. 装饰器就是为了在不修改被装饰对象的源代码以及调用方式的前提下,为期添加新功能

1、装饰器的基本写法

 '''
1、装饰器的基本写法
'''
# import time
#
# def timmer(func):
# def wrapper():
# # 在运行函数前执行,time.time()为当前时间(格林威治时间1970到现在的秒数)
# start_time = time.time()
# # 被装饰函数执行,没有返回值,默认为
# res = func()
# # 在函数运行后执行
# stop_time = time.time()
# print('run time is %s' %(stop_time-start_time))
# return wrapper
#
# @timmer # index = timmer(index)
# def index():
# time.sleep(3)
# print('welcome to index')
#
# index() # wrapper(index) ---> index()
'''
结果:
welcome to index
run time is 3.000379800796509
'''

2、多实例添加,及传参数函数

 '''
2、多实例添加,及传参数函数
'''
# import time
# def timmer(func):
# # 传递参数,保证通用性,应为可变长参数(*args,**kwargs),可接受所有类型的实参
# def wrapper(*args,**kwargs):
# start_time=time.time()
# # 传递参数,保证通用性,应为可变长参数(*args,**kwargs),可接受所有类型的实参
# # 有返回值,存值
# res=func(*args,**kwargs)
# stop_time=time.time()
# print('run time is %s' %(stop_time-start_time))
# # 有返回值,返回
# return res
# return wrapper
#
# @timmer #index=timmer(index)
# def index():
# time.sleep(3)
# print('welcome to index')
# # 有返回值,定义
# return 1
#
# #再次调用指需要加@timmer
# @timmer
# def foo(name):
# time.sleep(1)
# print('from foo')
#
# # 有返回值,传值打印
# res=index() #wrapper()
# print(res)
#
# res1=foo('shuyang') #res1=wrapper('egon')
# print(res1)
'''
运行结果:
welcome to index
run time is 3.000380039215088
1
from foo
run time is 1.0001308917999268
None
'''

3、登录权限,一次登录,多次使用

 '''
3、登录权限,一次登录,多次使用
'''
# 全局,记录用户状态
# login_user={'user':None,'status':False}
# def auth(func):
# def wrapper(*args,**kwargs):
# # 判断用户状态,有直接返回结果
# if login_user['user'] and login_user['status']:
# res=func(*args,**kwargs)
# return res
# # 否则,继续
# else:
# name=input('name: ')
# password=input('passwd: ')
# if name == 'shuyang' and password == '123':
# login_user['user']='shuyang'
# login_user['status']=True
# print('\033[45mlogin successful\033[0m')
# res=func(*args,**kwargs)
# return res
# else:
# print('\033[45mlogin err\033[0m')
# return wrapper
#
# @auth
# def index():
# print('welcome to index page')
# @auth
# def home(name):
# print('%s welcome to home page' %name)
# index()
# home('shuyang') '''
结果:
name: shuyang
passwd: 123
login successful
welcome to index page
shuyang welcome to home page
'''

4、多装饰器,执行顺序

 '''
4、多装饰器,执行顺序
'''
# import time
# def timmer(func):
# def wrapper(*args,**kwargs):
# print('timmer--->wrapper')
# start_time=time.time()
# res=func(*args,**kwargs)
# stop_time=time.time()
# print('run time is %s' %(stop_time-start_time))
# return res
# return wrapper
#
# login_user={'user':None,'status':False}
# def auth(func):
# def wrapper(*args,**kwargs):
# print('auth--->wrapper')
# if login_user['user'] and login_user['status']:
# res=func(*args,**kwargs)
# return res
# else:
# name=input('name: ')
# password=input('pwd: ')
# if name == 'shuyang' and password == '123':
# login_user['user']='shuyang'
# login_user['status']=True
# print('\033[45mlogin successful\033[0m')
# res=func(*args,**kwargs)
# return res
# else:
# print('\033[45mlogin err\033[0m')
# return wrapper
#
# # 顺序执行
# @auth # timmer = auth--->wrapper--->timmer
# @timmer # index = auth--->wrapper--->timmer--->wrapper(index)
# def index():
# time.sleep(3)
# print('welcome to index page')
#
# # 顺序执行,调转则timmer包含auth增加了程序执行时间
# @timmer # auth = timmer--->wrapper--->auth
# @auth # home = timmer--->wrapper--->auth---->wrapper(home)
# def home(name):
# time.sleep(3)
# print('%s welcome to home page' %name)
# index()
# home('shuyang')
'''
结果:
auth--->wrapper
name: shuyang
pwd: 123
login successful
timmer--->wrapper
welcome to index page
run time is 3.000378131866455
timmer--->wrapper
auth--->wrapper
shuyang welcome to home page
run time is 3.000382423400879
'''

5、有参装饰器

 '''
5、有参装饰器
'''
# login_user={'user':None,'status':False}
# 在包一个函数,根据作用域特性传值
# def auth(db_tpye):
# def auth2(func):
# def wrapper(*args,**kwargs):
# #传进来了
# if db_tpye == 'file':
# if login_user['user'] and login_user['status']:
# res=func(*args,**kwargs)
# return res
# else:
# name=input('name: ')
# password=input('pwd: ')
# if name == 'shuyang' and password == '123':
# login_user['user']='egon'
# login_user['status']=True
# print('\033[45mlogin successful\033[0m')
# res=func(*args,**kwargs)
# return res
# else:
# print('\033[45mlogin err\033[0m')
# elif db_tpye == 'ldap':
# print('db_type---->ldap')
# return wrapper
# return auth2
#
# @auth('file')
# def index():
# print('welcome to index page')
#
# @auth('ldap')
# def home(name):
# print('%s welcome to home page' %name)
# index()
# home('shuyang')
'''
结果:
name: shuyang
pwd: 123
login successful
welcome to index page
db_type---->ldap
'''

6、装饰器@functools.wraps

a.官网装饰器定义:

装饰器是一个函数,其主要用途是包装另一个函数或类。这种包装的首要目的是透明地修改或增强被包
装对象的行为。

b.@functools.wraps作用:

因为装饰器是一个闭包函数,怎样能获取被修饰函数的详细信息,如:__name__。
此类实际调用函数的属性。@functools.wraps就提供了该功能。
它是如何实现的,下面的例子是通过反射的原理把func的一些属性更新给了callf函数。原func的属性
不变。但是callf的属性还是跟原func不完全一样,so,如有类似的问题,还需要自己写。
具体,请看未来的类章节。

 import functools
import sys
debug_log = sys.stderr def trace(func):
if debug_log:
@functools.wraps(func)
def callf(*args, **kwargs):
"""A wrapper function."""
debug_log.write('Calling function: {}\n'.format(func.__name__))
res = func(*args, **kwargs)
debug_log.write('Return value: {}\n'.format(res))
return res
return callf
else:
return func @trace
def square(x):
"""Calculate the square of the given number."""
return x * x if __name__ == '__main__':
print(square(3))
print(square.__doc__)
print(square.__name__)
'''
结果:
Calling function: square
Return value: 9
9
Calculate the square of the given number.
square 不加结果@functools.wraps(func):
Calling function: square
Return value: 9
9
A wrapper function.
callf
'''

三、迭代器

1、迭代的概念:

重复+上一次迭代的结果为下一次迭代的初始值,重复的过程称为迭代,每次重复即一次迭代,并且每次迭代的结果是下一次迭代的初始值

a. 不是迭代器

 # while True: #只满足重复,因而不是迭代
# print('====>') '''
结果:
====>
====>
====>
'''

b. 迭代while写法

 # 下面才为迭代
# list列表是可迭代对象
# l = [1, 2, 3]
# count = 0
# while count < len(l): # 只满足重复,因而不是迭代
# print('====>', l[count])
# count += 1
'''
结果:
====> 1
====> 2
====> 3
''' # tuple元祖是可迭代对象
# l = (1, 2, 3)
# count = 0
# while count < len(l): # 只满足重复,因而不是迭代
# print('====>', l[count])
# count += 1
'''
结果:
====> 1
====> 2
====> 3
''' # 字符串是可迭代对象
# s='hello'
# count = 0
# while count < len(s):
# print('====>', s[count])
# count += 1
'''
结果:
====> h
====> e
====> l
====> l
====> o
'''

  ps.总结:while这种方式,指能迭代有序的对象,那无需的想字典、集合、文件如何操作??

2、为什么要有迭代器?

对于没有索引的数据类型,必须提供一种不依赖索引的迭代方式

 #有序的
# [1,2].__iter__()
# 'hello'.__iter__()
# (1,2).__iter__()
#无序的
# {'a':1,'b':2}.__iter__()
# {1,2,3}.__iter__()

a. 可迭代的对象:内置__iter__方法的,都是可迭代的对象
b. 迭代器:执行__iter__方法,得到的结果就是迭代器,迭代器对象有__next__方法

 # 列表,可迭代的对象转迭代器使用
# i=[1,2,3].__iter__()
#
# print(i) # 打印一个内存地址
'''
结果:
<list_iterator object at 0x000000F7C74991D0>
'''
#
# print(i.__next__())
# print(i.__next__())
# print(i.__next__())
# print(i.__next__()) #抛出异常:StopIteration
'''
结果:
1
Traceback (most recent call last):
2
File "D:/old_boy/old_boy_17_04/迭代器.py", line 125, in <module>
3
print(i.__next__()) #抛出异常:StopIteration
StopIteration
''' # 字典,可迭代的对象转迭代器使用
# i={'a':1,'b':2,'c':3}.__iter__()
#
# print(i.__next__())
# print(i.__next__())
# print(i.__next__())
# print(i.__next__()) #抛出异常:StopIteration
'''
结果:
Traceback (most recent call last):
File "D:/old_boy/old_boy_17_04/迭代器.py", line 142, in <module>
print(i.__next__())
StopIteration
a
b
c
''' # 字典,可迭代的对象转迭代器使用之异常处理
# dic={'a':1,'b':2,'c':3}
# i=dic.__iter__()
# while True:
# try:
# key=i.__next__()
# print(dic[key])
# except StopIteration:
# break
'''
结果:
1
2
3
''' # 集合,可迭代的对象转迭代器使用
# __iter__ == iter()
# s={'a',3,2,4}
# s.__iter__() #iter(s)
# i=iter(s)
# print(next(i))
# print(next(i))
# print(next(i))
# print(next(i))
# print(next(i))
'''
结果:
Traceback (most recent call last):
2
File "D:/old_boy/old_boy_17_04/迭代器.py", line 180, in <module>
print(next(i))
3
StopIteration
4
a
''' # ps.字符串,内置函数
# s='hello'
# print(s.__len__())
#
# print(len(s))
# 总结:
# len(s)====== s.__len__()

3、如何判断一个对象是可迭代的对象,还是迭代器对象?

a. 讨论数据对象

 # 'abc'.__iter__()  # 字符串str
# ().__iter__() # 元祖tuple
# [].__iter__() # 列表list
# {'a':1}.__iter__() # 字典dict
# {1,2}.__iter__() # 集合set
# f = open('a.txt','w') # 文件file
# f.__iter__()

b. 可迭代对象:只有__iter__方法,执行该方法得到的迭代器对象。及可迭代对象通过__iter__转成迭代器对象

 '''
b. 可迭代对象:只有__iter__方法,执行该方法得到的迭代器对象。及可迭代对象通过__iter__转成迭代器对象
'''
# 下列数据类型都是可迭代的对象
# from collections import Iterable,Iterator
# print(isinstance('abc',Iterable))
# print(isinstance([],Iterable))
# print(isinstance((),Iterable))
# print(isinstance({'a':1},Iterable))
# print(isinstance({1,2},Iterable))
# f = open('a.txt','w')
# print(isinstance(f,Iterable))
'''
结果:
True
True
True
True
True
True
'''

c. 迭代器对象:对象有__next__,对象有__iter__,对于迭代器对象来说,执行__iter__方法,得到的结果仍然是它本身

 '''
c. 迭代器对象:对象有__next__,对象有__iter__,对于迭代器对象来说,执行__iter__方法,得到的结果仍然是它本身
'''
# 只有文件是迭代器对象
# from collections import Iterable,Iterator
# print(isinstance('abc',Iterator))
# print(isinstance([],Iterator))
# print(isinstance((),Iterator))
# print(isinstance({'a':1},Iterator))
# print(isinstance({1,2},Iterator))
# f = open('a.txt','w')
# print(isinstance(f,Iterator))
'''
结果:
False
False
False
False
False
True
'''

4、可迭代对象通过__iter__转成迭代器对象

a.迭代协议:
对象有__next__
对象有__iter__,对于迭代器对象来说,执行__iter__方法,得到的结果仍然是它本身

 # 对象有__iter__,对于迭代器对象来说,执行__iter__方法,得到的结果仍然是它本身
# f = open('a.txt','r')
# f1=f.__iter__()
#
# print(f)
# print(f1)
# print(f is f1)
'''
结果:
<_io.TextIOWrapper name='a.txt' mode='r' encoding='cp936'>
<_io.TextIOWrapper name='a.txt' mode='r' encoding='cp936'>
True
''' # 可迭代对象list,可以看出就是一个迭代器
# l=[]
# i=l.__iter__()
#
# print(i.__iter__())
# print(i)
# print(l)
'''
结果:
<list_iterator object at 0x00000038DA2B9320>
<list_iterator object at 0x00000038DA2B9320>
[]
''' # dict字典,以前的调用方式
# dic={'name':'egon','age':18,'height':'180'}
# print(dic.items())
#
# for k,v in dic.items():
# print(k,v)
'''
结果:
dict_items([('name', 'egon'), ('age', 18), ('height', '180')])
name egon
age 18
height 180
''' # dict字典,while迭代器调用
# dic={'name':'egon','age':18,'height':'180'}
# i=iter(dic)
# while True:
# try:
# k=next(i)
# print(k)
# except StopIteration:
# break
'''
结果:
name egon
age 18
height 180
''' # for迭代调用
# dic={'name':'egon','age':18,'height':'180'}
# for k in dic: #i=iter(dic) k=next(i)
# print(k)
# print(dic[k])
'''
结果:
name
egon
age
18
height
180
''' # list的for循环迭代
# l=['a','b',3,9,10]
# for i in l:
# print(i)
'''
结果:
a
b
3
9
10
''' # 文件迭代器,直接可以for循环迭代
# with open('a.txt','r',encoding='utf-8') as f:
# for line in f:
# print(line.strip())
'''
结果:
1111
2222
3333
4444
5555
6666
7777
'''

ps.

总结:
python中for就是通过迭代的方式来实现调用的。while只是普通的循环
for迭代 == while + try...except...(异常处理方式)

5、 迭代器的优点和缺点

a.优点:

1. 提供了一种不依赖下标的迭代方式

 # 提供了一种不依赖下标的迭代方式
# l=[10000,2,3,4,5]
# i=iter(l)
# print(i)
# print(next(i))
'''
结果:
<list_iterator object at 0x000000696CAF91D0>
10000
'''

2. 就迭代器本身来说,更节省内存。迭代一个值,原来迭代的值丢弃

b.缺点:

1. 无法获取迭代器对象的长度

2. 不如序列类型取值灵活,是一次性的,只能往后取值,不能往前退

 # 不如序列类型取值灵活,是一次性的,只能往后取值,不能往前退
# f=open('a.txt',encoding='utf-8')
#
# for line in f.readlines():
# print(line.strip())
#
# print(next(f))
'''
Traceback (most recent call last):
1111
File "D:/old_boy/old_boy_17_04/迭代器.py", line 398, in <module>
2222
3333
4444
5555
6666
7777
print(next(f))
StopIteration
''' # f=open('a.txt',encoding='utf-8')
# print(next(f))
# for line in f:
# print(line.strip())
'''
结果:
1111 2222
3333
4444
5555
6666
7777
''' # 列表迭代
# l=[10000,2,3,4,5]
#
# i=iter(l)
#
# for item in i:
# print(item)
# print('=============================')
# for item in i:
# print(item)
'''
结果:
10000
2
3
4
5
=============================
'''

ps. 枚举函数enumerate(),实际也是迭代器

l=[10000,2,3,4,5]
i=enumerate(l)

print(next(i))
print(next(i))

四、函数之生成器

生成器: 只要函数体包含yield关键字,该函数就是生成器函数。
return函数

 '''
return
'''
# def foo():
# return 1
# return 2
# return 3
# return 4
#
# res1=foo()
# print(res1)
#
# res2=foo()
# print(res2)
'''
结果:
1
1
'''

1、生成器就是迭代器

 '''
1、生成器就是迭代器
'''
# def foo():
# print('first')
# yield 1
# print('second')
# yield 2
# print('third')
# yield 3
# print('fourth')
# yield 4
# print('fifth')
#
# g=foo()
# for i in g:
# print(i)
'''
结果:
first
1
second
2
third
3
fourth
4
fifth
'''
# print(g)
#
# print(next(g)) #触发迭代器g的执行,进而触发函数的执行
# print(next(g))
# print(next(g))
# print(next(g))
# print(next(g))
'''
结果2
<generator object foo at 0x00000023D6DBB200>
first
1
second
2
third
3
fourth
4
fifth
Traceback (most recent call last):
File "D:/old_boy/old_boy_17_04/生成器.py", line 54, in <module>
print(next(g))
StopIteration
'''

2、生成器简单调用

 '''
2、生成器简单调用
'''
# def counter(n):
# print('start...')
# i=0
# while i < n:
# yield i
# i+=1
# print('end...')
#
#
# g=counter(5)
# print(g)
# print(next(g))
# print(next(g))
# print(next(g))
# print(next(g))
# print(next(g))
# print(next(g))
'''
结果:
Traceback (most recent call last):
<generator object counter at 0x000000089E27B200>
File "D:/old_boy/old_boy_17_04/生成器.py", line 109, in <module>
start...
print(next(g))
0
StopIteration
1
2
3
4
end...
'''

3、总结:yield的功能

a. 相当于为函数封装好__iter__和__next__
b. return只能返回一次值,函数就终止了,而yield能返回多次值,每次返回都会将函数暂停,下一次next会从上一次暂停的位置继续执行

4、yield程序实例(tail -f a.txt | grep 'python' 类功能python程序版)

 #tail -f a.txt | grep 'python' 类功能python程序版

 # import time
# def tail(filepath):
# '''
# tail功能
# :param filepath: 文件路径
# :return: 相当于return文件最后一行,后等待文件输入
# '''
# with open(filepath,encoding='utf-8') as f:
# '''
# seek(offset,whence=0)
# offset:开始的偏移量,也就是代表需要移动偏移的字节数
# whence:给offset参数一个定义,表示要从哪个位置开始偏移;0代表从文件开头开始算起,
# 1代表从当前位置开始算起,2代表从文件末尾算起。默认为0
# '''
# f.seek(0,2)
# while True:
# line=f.readline().strip()
# if line:
# yield line
# else:
# time.sleep(0.2)
#
# #相当于return文件最后一行,后继续等待next下次调用
# t=tail('a.txt')
#
# # 测试tail功能是否有效
# # for line in t:
# # print(line)
#
# def grep(pattern,lines):
# '''
# grep 功能实现
# :param pattern: 校验关键字
# :param lines: 要校验的行
# :return: 相当于return符合检验的行,后等待行继续调用输入
# '''
# for line in lines:
# if pattern in line:
# yield line
#
#
# g=grep('python',tail('a.txt'))
# #返回内存地址
# print(g)
#
# #迭代输出
# for i in g:
# print(i)

五、内置函数

  python函数、装饰器、迭代器、生成器

1、数学运算

  abs(), round(),pow(),divmod(),max(),min(),sum()

 '''
1、数学运算
'''
# abs(-5) # 取绝对值,也就是5
# round(2.623423, 4) # 四舍五入取整,也就是3.0, 4为精准到四位四舍五入
# pow(2, 3) # 相当于2**3,如果是pow(2, 3, 5),相当于2**3 % 5
# divmod(9, 2) # 返回除法结果和余数
# max([1, 5, 2, 9]) # 求最大值
# min([9, 2, -4, 2]) # 求最小值
# sum([2, -1, 9, 12]) # 求和

2、工厂函数

  int(), float(), str(), bool(), slice(), list(), tuple(), dict(), set(), frozenset()

 # int("5")  # 转换为整数 integer
# float(2) # 转换为浮点数 float
# str(2.3) # 转换为字符串 string
# bool(0) # 转换为相应的真假值,在Python中,0相当于False在Python中,下列对象都相当于False:[], (), {}, 0, None, 0.0, ''
# slice(5, 2, -1) # 构建下标对象 slice,切片函数
# list((1, 2, 3)) # 转换为表 list
# tuple([2, 3, 4]) # 转换为定值表 tuple
# dict(a=1, b="hello", c=[1, 2, 3]) # 构建词典 dictionary
# set() 创建集合函数
# frozenset()  创建一个不可修改的集合 如:s=frozenset({1,2}) # 定义不可变集合

3、类型转换

  ord(), chr(), bin(), hex(), oct(), complex()

 # ord("A")  # "A"字符对应的数值
# chr(65) # 数值65对应的字符
# bin(56) # 返回一个字符串,表示56的二进制数
# hex(56) # 返回一个字符串,表示56的十六进制数
# oct(56) # 返回一个字符串,表示56的八进制数
# complex(3, 9) # 返回复数 3 + 9j

4、序列操作

  all(), any(), sorted(), reversed()

 # all([True, 1, "hello!"])        # 是否所有的元素都相当于True值
# any(["", 0, False, [], None]) # 是否有任意一个元素相当于True值
# sorted([1,5,3]) # 返回正序的序列,也就是[1,3,5]
# reversed([1,5,3]) # 返回反序的序列,也就是[3,5,1]

5、编译执行函数

  repr(), compile(), eval(), exec()

 # repr(me)                         # 返回一个对象的字符串表示。有时可以使用这个函数来访问操作。
# compile("print('Hello')",'test.py','exec') # 编译字符串成为code对象
# eval("1 + 1") # 解释字符串表达式。参数也可以是compile()返回的code对象
'''
# cmd='print("你瞅啥")'
#
# dic="{'a':1,'b':2}"
# d=eval(dic)
# print(type(d),d['a'])
#
# with open('user.db','w',encoding='utf-8') as f:
# user_dic={'name':'egon','password':'123'}
# f.write(str(user_dic))
#
# with open('user.db','r',encoding='utf-8') as f:
# dic=f.read()
# print(dic,type(dic))
# dic=eval(dic)
# print(dic['name'])
'''
# exec("print('Hello')") # exec()执行字符串或complie方法编译过的字符串,没有返回值

6、帮助函数

  dir(), help(), id(), len(), challables()

 '''
6、帮助函数
'''
# dir()  不带参数时返回当前范围内的变量,方法和定义的类型列表,带参数时返回参数的属性,方法列表
'''
l=[]
print(dir(l)) #查看一个对象下面的属性
'''
# help()  返回对象的帮助文档
'''
print(help(l))
'''
# id()  返回对象的内存地址
'''
# x=1
# y=x
# print(id(x),id(y))
#
# print(x is y) #判断的是身份
'''
# len()  返回对象长度,参数可以是序列类型(字符串,元组或列表)或映射类型(如字典)
# challable()  判断对象是否可以被调用,能被调用的对象就是一个callables对象,比如函数和带有__call__()的实例
'''
def func():
pass
print(callable(func))
'''

7、作用域查看函数

  globals(), locals(), vars()

 # globals()  返回一个描述当前全局变量的字典
# locals()  打印当前可用的局部变量的字典
# vars() # 1. 当函数不接收参数时,其功能和locals函数一样,返回当前作用域内的局部变量。
# 2. 当函数接收一个参数时,参数可以是模块、类、类实例,或者定义了__dict__属性的对象。

8、迭代器函数

  iter(), next(), enumerate(), range()#python3中为生成一个迭代器

 '''
8、迭代器函数
'''
'''
iter(o[, sentinel])
返回一个iterator对象。该函数对于第一个参数的解析依赖于第二个参数。
如果没有提供第二个参数,参数o必须是一个集合对象,支持遍历功能(__iter__()方法)或支持序列功能(__getitem__()方法),
参数为整数,从零开始。如果不支持这两种功能,将处罚TypeError异常。
如果提供了第二个参数,参数o必须是一个可调用对象。在这种情况下创建一个iterator对象,每次调用iterator的next()方法来无
参数的调用o,如果返回值等于参数sentinel,触发StopIteration异常,否则将返回该值。
'''
# next()  返回一个可迭代数据结构(如列表)中的下一项
# enumerate()  # 返回一个可以枚举的对象,该对象的next()方法将返回一个元组
# x=range(10)
# enumerate([1,2,3]).__next__()
# range()  根据需要生成一个指定范围的数字,可以提供你需要的控制来迭代指定的次数

9、其他函数

  hash(), filter(), format(), input(), open(), print(), zip(), map(), __import__

 # hash() 哈希值用于快递比价字典的键。
# 1. 只要校验的内容一致,那hash得到结果永远一样
# 2. 不可逆
# 3. 只要采用的哈希算法一样,那无论被校验的内容有多长,hash的到的结果长度都一样
# print(hash('asdfasdfsadf'))
# print(hash('asdfasdfsadf')) # filter()  过滤器,构造一个序列,等价于[ item for item in iterables if function(item)],在函数中设定过滤条件,逐一循环迭代器中的元素,将返回值为True时的元素留下,形成一个filter类型数据
'''
filter(function, iterable)
参数function:返回值为True或False的函数,可以为None。
参数iterable:序列或可迭代对象。
>>> def bigerthan5(x):
... return x > 5
>>> filter(bigerthan5, [3, 4, 5, 6, 7, 8])
[6, 7, 8]
''' # format()  #格式化输出字符串,format(value, format_spec)实质上是调用了value的__format__(format_spec)方法
'''
"I am {0}, I like {1}!".format("wang", "moon")
"I am {}, I like {}!".format("wang", "moon")
"I am {name}, I like {msg}!".format(name = "wang", msg ="moon")
''' # input()  #获取用户输入内容
# open()  打开文件
# print()  输出函数 # zip()  拉链函数将对象逐一配对
# s='helloo'
# l=[1,2,3,4,5]
#
# z=zip(s,l)
# print(z)
# for i in z:
# print(i) # import time
# m=__import__('time') #以字符串的形式导入模块
# m.sleep(3000) '''
map(function, iterable,...)
对于参数iterable中的每个元素都应用fuction函数,并将结果作为列表返回。
如果有多个iterable参数,那么fuction函数必须接收多个参数,这些iterable中相同索引处的元素将并行的作为function函数的参数。
如果一个iterable中元素的个数比其他少,那么将用None来扩展改iterable使元素个数一致。
如果有多个iterable且function为None,map()将返回由元组组成的列表,每个元组包含所有iterable中对应索引处值。
参数iterable必须是一个序列或任何可遍历对象,函数返回的往往是一个列表(list)。 li = [1,2,3]
data = map(lambda x :x*100,li)
print(type(data))
data = list(data)
print(data) 运行结果: <class 'map'>
[100, 200, 300]
'''

10、面向对象使用函数

  super(), isinstance(), issubclass(), classmethod(), staticmethod(), proerty(), delatter(), hasattr(), getattr(), setattr()

 #super()  调用父类的方法

 # isinstance()  检查对象是否是类的对象,返回True或False
# issubclass()  检查一个类是否是另一个类的子类。返回True或False # classmethod()  # 用来指定一个方法为类的方法,由类直接调用执行,只有一个cls参数,执行雷的方法时,自动将调用该方法的类赋值给cls.没有此参数指定的类的方法为实例方法
# staticmethod
# property # delattr()  # 删除对象的属性
# hasattr
'''
hasattr(object,name)
判断对象object是否包含名为name的特性(hasattr是通过调用getattr(object,name))是否抛出异常来实现的。
参数object:对象
参数name:特性名称
>>> hasattr(list, 'append')
True
>>> hasattr(list, 'add')
False
'''
#getattr()  获取对象的属性
#setattr()  与getattr()相对应