文章目录
- 1.类方法@classmethod和静态方法@staticmethod
- 2.@函数装饰器
1.类方法@classmethod和静态方法@staticmethod
类方法@classmethod:第一个参数cls都会被自动绑定到类本身,无论是类还是对象都可调用。
静态方法@staticmethod:无论是类还是对象都可调用,但是不会自动绑定。
实例方法:只能通过对象调用,如果通过类进行调用就需要传入对象参数
# from typing import List
#
# class Solution:
# def maxProfit(self, prices: List[int]) -> int:
#
#
# solution = Solution()
# ans = solution.maxProfit([3,3,5,0,0,3,1,4])
# print(ans)
class Bird:# 类方法@classmethoddef fly(cls):print('类方法fly',cls)# 静态方法@staticmethoddef info(p):print('静态方法info', p)# 实例方法def eat(self,food):print('实例方法eat', food)Bird.fly()
Bird.info("abcd")
# Bird.eat("food") # 出错
Bird.eat(Bird(),"food") # 直接把对象作为参数进行调用b = Bird()
b.fly()
b.info("efgh")
b.eat("food")
结果:
类方法fly <class ‘main.Bird’>
静态方法info abcd
实例方法eat food
类方法fly <class ‘main.Bird’>
静态方法info efgh
实例方法eat food
2.@函数装饰器
@作为函数装饰器的作用:装饰在原函数外面,在前面执行或后面执行一部分补充内容
def funA(fn):print("before....")fn()print("after....")return "a string"@funA
def funB():print("B")print(funB)
# @funA相当于执行funA(funB)
# funB=funA()函数的返回值,这里相当于字符串"a string"
结果:
before…
B
after…
a string
def foo(fn):def bar(*args):print("===1===",args)n = args[0]print("===2===",n*(n-1))print(fn.__name__)fn(n*(n-1))print("*"*15)return fn(n*(n-1))return bar@foo
def my_test(a):print("==my_test==",a)print(my_test)
my_test(10)