1.内置类属性
内置类属性:Python中每个类都拥有的属性、
name
doc
dict
module
bases
class Cat:
"""猫类"""
number = 0
def __init__(self, name = '',color = 'white'):
self.name = name
self.color = color
def run(self):
print('%s在跑'%self.name)
@staticmethod
def shout():
print('喵')
@classmethod
def get_number(cls):
print('猫的数量:%d'%cls.number)
if __name__ == '__main__':
cat1 = Cat('小花')
"""
1.__name__
获取类的名字
"""
print(Cat.__name__)
"""
2.类.__doc__
获取类的说明文档
"""
print(Cat.__doc__)
print(list.__doc__)
"""
3.类.__dict__ 获取类中所有的类属性和对应的值,以键值对的形式讯在字典中
对象.__dict__ 获取对象的属性和对应的值,转换成字典的元素(常用,记住)
"""
print(Cat.__dict__)
print(cat1.__dict__)
"""
4. 类.__module__: 获取当前类所在模块的名字
"""
print(Cat.__module__)
"""
5. 类.__bases__:获取当前类的父类,并且还是一个元组
"""
print(Cat.__bases__)
Cat
猫类
list() -> new empty list
list(iterable) -> new list initialized from iterable's items
{'__module__': '__main__', '__doc__': '猫类', 'number': 0, '__init__': <function Cat.__init__ at 0x0217C930>, 'run': <function Cat.run at 0x0217C8E8>, 'shout': <staticmethod object at 0x021799D0>, 'get_number': <classmethod object at 0x02179AD0>, '__dict__': <attribute '__dict__' of 'Cat' objects>, '__weakref__': <attribute '__weakref__' of 'Cat' objects>}
{'name': '小花', 'color': 'white'}
__main__
(<class 'object'>,)
2.私有化
python 中类的属性和方法的私有化:直接在属性名或者方法名前加(命名的时候以''开头)
属性或者方法私有:在外部不能直接使用,可以在类的内部使用
class Person:
# 私有的类字段
__number = 61
def __init__(self,name='',age=0):
self.name = name
self.__age = age
def show_age(self):
print('%d'%(self.__age-10))
self.__run()
# 私有的对象方法,只能在类的内部调用
def __run(self):
print('%s跑'%self.name)
@classmethod
def __get_number(cls):
print(cls.__number)
import random
class Student:
def __init__(self,name):
self.name = name
self.id = ''
def creat_id(self):
return 'py1805'+str(random.randint(1,50)).rjust(3,'0')
def creat(self,name):
stu = Student(name)
stu.id = self.__creat_id()
return stu
if __name__ == '__main__':
p1 = Person('张三',30)
p1.name = '李四'
print(p1.name)
p1.show_age()
# 私有化对象的方法,只能在类的内部调用
print(p1.__dict__['_Person__age'])
李四
20
李四跑
30