类
类是多个类似事物组成的群体的统称。能够帮助我们快速理解和判断事物的性质 例如: data:image/s3,"s3://crabby-images/e736a/e736a3bdee006c6ab74e110098cf1976924cf078" alt="在这里插入图片描述" 而对象是包含在类下面的具体实例,例如: data:image/s3,"s3://crabby-images/8247a/8247a2a6750ebc8ea838043e688c0a80bbdfd85a" alt="在这里插入图片描述"
类的组成
包括类属性,实例方法,静态方法,类方法 下面将介绍一个模板,分别演示这四个模块:
class Student: # Student为类的名称由一个或者多个单词组成,每个单词的首字母要大写
,其余小写
native_place = 'place' # 直接写在类内部的变量称为类属性
def __init__(self,name,age):
self.name = name # self.name称为实例属性,进行了一个赋
值操作,将局部变量name的值赋给实例属性
self.age = age
# 实例方法
def eat(self):
print('学生正在吃饭...')
# 静态方法
@staticmethod
def method(): # 静态方法中不允许写self
print('我使用了staticmethod进行修饰,所以我是静态方法')
# 类方法
@classmethod
def cm(cls): # cls即为class的意思
print('我是类方法,因为我使用了classmethod进行修饰')
类属性,类方法,静态方法的比较: data:image/s3,"s3://crabby-images/47349/473495dfa5ce8f2efbd71e494ec640c01b5819ef" alt="在这里插入图片描述"
类方法的使用方式
使用类名进行调用
Student.cm()
data:image/s3,"s3://crabby-images/888ee/888eeab2282969fc0dfed24de2ebeee706181a82" alt="在这里插入图片描述"
静态方法的使用方式
使用类名直接调用
Student.method()
data:image/s3,"s3://crabby-images/d3554/d3554af6498f8b3ac494457458429817157f7071" alt="在这里插入图片描述"
动态绑定属性和方法
动态绑定属性
Python是动态语言,在创建对象之后,可以动态地绑定属性和方法
class Student:
def __init__(self,name,age):
self.name = name
self.age = age
def eat(self):
print(self.name+'在吃饭')
stu1 = Student('张三',20)
stu2 = Student('李四',22)
stu2.gender = '女'
print(stu2.gender)
为stu2单独绑定gender属性,stu1和Student类中不含该属性 data:image/s3,"s3://crabby-images/683d3/683d3bbe3da262aae3616569126a4d5087bae564" alt="在这里插入图片描述"
动态绑定方法
def show():
print('定义在类之外,成为函数')
stu1.show1 = show()
stu1.show1
data:image/s3,"s3://crabby-images/046d1/046d15ec11a9bb40ce6bfd514a2ad43998eea441" alt="在这里插入图片描述"
小总结
data:image/s3,"s3://crabby-images/b7da6/b7da60e2e72c1045f07e0a5bcdab57bac0370eb9" alt="在这里插入图片描述"
|