"""
类的私有成员:
遇到重要数据、功能(只允许本类使用的一些方法、数据),设置成私有成员。
类在加载到内存的时候,只要遇到类中的私有成员,都会在私有成员前面加上 "_类名"。
"""
"""
私有类的属性:
1、只能在类的内部访问和使用私有类的属性
2、在类的外部不可以访问和使用私有类的属性
3、在类的子类(派生类)不可以访问父类的私有类的属性
"""
class Person:
name = 'albert'
__age = 17
def get_info(self):
print(self.name)
print(self.__age)
p1 = Person()
p1.get_info()
print(p1.name)
print(Person.__dict__)
print(p1._Person__age)
print(Person._Person__age)
"""
私有对象属性:
1、只能在类的内部访问和使用私有对象属性
2、在类的外部不可以访问和使用私有对象属性
3、在类的子类(派生类)也不可以访问父类的私有对象属性
"""
class Student:
def __init__(self, name, score):
self.name = name
self.__score = score
def get_info(self):
print(self.name)
print(self.__score)
stu = Student('don', 97)
stu.get_info()
print(stu.name)
print(stu.__dict__)
print(stu._Student__score)
"""
私有类的方法:
1、只能在类的内部访问和使用私有类的方法
2、在类的外部不可以访问和使用私有类的方法
3、在类的子类(派生类)也不可以访问父类的私有类的方法
"""
class Hello:
def hello(self):
print('Hello World 01')
self.__hello()
def __hello(self):
print('Hello World 02')
h = Hello()
h.hello()
print(Hello.__dict__)
print(h._Hello__hello())
|