classmethod和staticmethod都是Python中的修饰器,封装在类中,对类中的函数和子类进行修饰
@staticmethod修饰的方法可以不用传递参数
class Person(object):
def __init__(slef,name,age):
self.name = name
self.age = age
@staticmethod
def func():
print("我可以写在类中,但是我不能调用此类的方法和属性-_-')
@staticmethod是静态方法,可以在创建对象的时候向其中传递参数
class Person(object):
def __init__(self, name, age):
self.name = name
self.age = age
@staticmethod
def func1():
print("我可以写在类中,但是我不能调用此类的方法和属性-_-")
@staticmethod
def func2(name, age):
print('我在实例化的时候就可以传递参数了,但是不能创建对象,即返回值为None')
print('姓名:{},年龄:{}'.format(name, age))
def run(self):
print('我叫{},今年{}岁了'.format(self.name, self.age))
Tom = Person("Tom", 5)
Tom.run()
Person.func2("Jerry", 4)
Tom.func1()
@staticmethod也可以传入一个Callable, 也就是说 Class 也是可以的
class Person(object):
...
@staticmethod
class Men(object):
def __init__(self):
print('我是Person类中的Men类,来自staticmethod')
def run(self):
print('我叫{},今年{}岁了'.format(self.name, self.age))
...
Tom.func1()
Tom.Men()
@classmethod如果传递参数第一个参数必须传递cls,指的是所在类的别城,但是其没有被实例化
class CatAndMouse(object):
num = 123
def __init__(self,name):
self.name = name
def run(self):
print('我叫:{},猫和老鼠真好看'.format(self.name))
@classmethod
def func1(cls):
print('我可以访问CatAndMouse类中的属性',cls.num)
print(cls)
print('我也可以运行CatAndMouse中的函数')
cls('Jerry').run()
Tom = CatAndMouse("Tom")
Tom.func1()
CatAndMouse.fun1()
|