私有属性:在属性名前加__,外部无法访问。私有属性都在init中添加。
私有方法:在方法名前加__.
类属性:直接在类中创建的属性就叫类属性。
实例属性(对象属性):在init方法中定义的属性。
注:可以使用类名、实例名访问类属性,但只能使用实例名访问实例属性,不能使用类名访问实例属性。
类方法:是类对象所拥有的⽅法,需要⽤修饰器 @classmethod 来标识其为类⽅法,第⼀个参数必须是类对象,⼀般以 cls 作为第⼀个参数。类方法可以修改类属性,获取类属性。
静态方法:使用@staticmethod,通过类直接调用,不需要创建对象。
class Person(object):
#私有属性
type = "yellow"
#对象方法
def __init(self):
#实例属性
self.name = "tom"
# 对象方法
def show(self):
print("对象")
#类方法
@classmethod
def show_msg(cls):
print(cls)
print("类方法")
#使用类方法修改类属性
@classmethod
def self_type(cls,type):
cls.type = type
# 使用类方法获取类属性
@classmethod
def get(cls):
return cls.type
#静态方法
@staticmethod
def show_static():
print("静态")
a = Person()
print(a.type)
a.show()
a.show_msg()
#修改类属性
a.self_type("black")
print(a.type)
print(a.get())
yellow
对象
<class '__main__.Person'>
类方法
black
black
多态
python本质上没有多态,其关注的是一个方法,但该方法出现了不同形式。
class Text(object):
def show(self):
print("word")
class Image(object):
def show(self):
print("photo")
#显示数据方法
def show_data(data):
data.show()
image = Image()
text = Text()
show_data(text)
show_data(image)
word
photo
注:在不同类中调用了同一个名字命名的方法
来源:CSDN
作者:小白和雨薇
链接:https://blog.csdn.net/weixin_46109199/article/details/104107650