高阶函数+嵌套函数 == 装饰器
什么是装饰器: 其实也是一个函数。
功能:为其他的函数添加附加功能
原则:不能修改被装饰的函数的源代码和调用方式

学习装饰器前首先要明白以下3条事项:
1:函数 即 “变量” (什么意思呢,就是说我们定义的一个函数,其中函数名就是一个变量,函数体就是存于内存的数据)。
def foo(): #函数名就相当于变量
print('test') #函数体就相当于内容
类似于:x(变量) = 1(内容)
内容实际存储于内存,变量相当于门牌号(映射内存内容)。
实例
def foo():
print('in the foo')
bar()
def bar():
print('in the bar')
foo()
   2:高阶函数
条件1:把一个函数名当作实参传给另一个函数(在不修改被装饰函数源码的情况下为其添加附加功能)
举例:当调用执行函数fun1时候,会把bar函数当作实参传入,在fun1函数内对形参进行执行fun() -> bar ->bar()
def bar():
print('in the bar')
def fun1(fun):
print('start) #进行装饰
fun() #执行的核心函数
print('end') #进行装饰
fun1(bar)
   条件2:函数的返回值中包含n>0个函数。(不修改函数的调用方式)
  举例:
  def bar():
  time.sleep(3)
  print('in the bar')
  def test2(func):
  print(func)
  return func
  bar = test2(bar)
  bar() #这里就是源函数被修饰后,再次调用返回被修饰后的结果
   3:嵌套函数:一个函数体内创建另一个函数,最外层函数相当于全局变量,函数内部的所有函数都相当于局部变量,只在局部作用域有效。
举例:
def foo():#这里相当于全局变量
print('in the foo')
def bar(): # 这里相当于局部变量,只在局部作用域有效。
print('in the bar')
bar() #执行局部变量
foo() #执行函数调用
  装饰器实例1:先加载timer函数体到内存,然后在@timer相当于将test1函数作为实参传递给timer函数,最后调用test1()函数,就相当于执行timer函数内的warpper函数,将内部执行结果返回         给test1
 1 def timer(func):  # func = test1
 2     def warpper():
 3         start_time = time.time()
 4         func()
 5         end_time = time.time()
 6         print('the function time is %s' %(stop_time-start_time)
 7     return warpper()
 8 @timer  #test1=timer(test1)
 9 def test1():
10     time.sleep(3)
11     print('in the test')
12 test1()  #这里test1就相当于在执行warpper函数
View Code

相关文章:

  • 2021-09-11
  • 2022-02-11
  • 2021-05-04
  • 2021-06-16
  • 2021-05-04
  • 2022-02-18
  • 2022-12-23
猜你喜欢
  • 2021-11-23
  • 2021-09-24
  • 2021-08-07
  • 2021-07-22
  • 2021-10-30
相关资源
相似解决方案