函数
类中定义的函数分为两大类,一类为绑定方法,一类为非绑定方法。
在类中直接定义的函数,没有被任何装饰器装饰的,都是绑定到对象的方法,对象调用该方法会自动传值,而staticmethod装饰的方法,不管谁调用都不会自动传值。
绑定方法
绑定到类的方法:用classmethod装饰器装饰的方法,为类量身定制,类.bound_method(),自动将类当作第一个参数传入
绑定到对象的方法:没有被任何装饰器装饰的方法,对象.bound_method(),自动将对象当作第一个参数传入
非绑定方法
非绑定方法:用staticmethod装饰器装饰的方法,不与类或对象绑定,类和对象都可以调用,但是没有自动传值。
绑定方法
绑定给对象的方法:在类中直接定义的函数,没有被任何装饰器装饰的,都是绑定到对象的方法,对象调用该方法会自动传值
绑定给类的方法:classmethod是给类用的,即绑定到类,类在使用时会将类本身当作参数传给类方法中的第一个参数(即便是对象来调用也会将类当作第一个参数传入),python为我们内置了函数classmethod来把类中的函数定义成类方法
import settings class Mysql: a=1 b=2 def __init__(self,host,post): self.host=host self.port=post @classmethod def from_conf(cls): print(cls) return cls(settings.HOST,settings.PORT) print(Mysql.from_conf) conn=Mysql.from_conf()
非绑定方法
在类内部用staticmethod装饰的函数即非绑定方法,就是普通函数
staticmethod不与类或对象绑定,谁都可以调用,没有自动传值效果
import hashlib import time class MySQL: def __init__(self,host,port): self.id=self.create_id() self.host=host self.port=port @staticmethod def create_id(): m=hashlib.md5(str(time.time()).encode('utf-8')) return m.hexdigest() conn=MySQL('127.0.0.1',3306) print(conn.create_id)
classmethod与staticmethod的区别
import settings class MySQL: def __init__(self,host,port): self.host=host self.port=port @staticmethod def from_conf(): return MySQL(settings.HOST,settings.PORT) # @classmethod #哪个类来调用,就将哪个类当做第一个参数传入 # def from_conf(cls): # return cls(settings.HOST,settings.PORT) def __str__(self): return '就不告诉你' class Mariadb(MySQL): def __str__(self): return '<%s:%s>' %(self.host,self.port) m=Mariadb.from_conf() print(m) #我们的意图是想触发Mariadb.__str__,但是结果触发了MySQL.__str__的执行,打印就不告诉你