在面向对象的程序设计模式中,使用类来区分具有相似属性的对象。
类的定义和使用
使用class关键字来声明一个类:
class test:
name='try'
def apple(self):
print('this is apple')
print('hello')
输出: hello
1.类中可以有任意python代码,这些代码在类定义阶段便会执行
2.因而会产生新的名称空间,用来存放类的变量名与函数名,可以通过OldboyStudent.dict查看
3.对于经典类来说我们可以通过该字典操作类名称空间的名字(新式类有限制),但python为我们提供专门的.语法
4.点是访问属性的语法,类中定义的名字,都是类的属性
类的信息的信息会保存在字典中:
class test:
name='try'
def apple(self):
print('this is apple')
print('hello')
res=test.__dict__
print(res)
输出: {'module': 'main', 'name': 'try', 'apple': <function test.apple at 0x0000001E2265DF28>, 'dict': <attribute 'dict' of 'test' objects>, 'weakref': <attribute 'weakref' of 'test' objects>, 'doc': None}
对类进行操作:
class test:
name='try'
def apple(self):
print('this is apple')
print('hello')
test.age=18 # 添加变量
test.name='Hero' # 修改
del test.name # 删除
print(test.age)
res=test.__dict__
print(res)
对象
类的实例化,得到对象:
obj1=test()
需要先添加__init__
初始化对象:
class test:
def __init__(self,name,age,sex): # 初始化对象的参数
self.name=name
self.age=age
self.sex=sex
def apple(self):
print('this is apple')
obj1=test('aa',11,'male')
print(obj1.__dict__)
obj1.apple()
输出结果:
{'name': 'aa', 'age': 11, 'sex': 'male'}
this is apple
调用过程是先调用类生成一个空对象,然后通过调用test.init初始化对象的值。对象也支持与类相似的增删改的操作。
属性查找
类的数据属性共享给对象使用,在内存中的ID是一样的。
类的函数属性是绑定给对象用的。
class test:
def __init__(self,name,age,sex):
self.name=name
self.age=age
self.sex=sex
def apple(self):
print('this apple for %s' %self.name)
s1=test('tom',12,'male')
s2=test('lucy',15,'female')
s3=test('divd',16,'male')
print(test.apple)
print(s1.apple)
print(s2.apple)
print(s3.apple)
输出的信息:
#类的函数属性是绑定给对象使用的,obj.method称为绑定方法,内存地址都不一样
#ps:id是python的实现机制,并不能真实反映内存地址,如果有内存地址,还是以内存地址为准
<function test.apple at 0x000000D17FCA0048>
<bound method test.apple of <__main__.test object at 0x000000D17FC96940>>
<bound method test.apple of <__main__.test object at 0x000000D17FC96978>>
<bound method test.apple of <__main__.test object at 0x000000D17FC969B0>>
obj.name会先从obj自己的名称空间里找name,找不到则去类中找,类也找不到就找父类...最后都找不到就抛出异常。
调用对象对类的属性赋值,改变的只是当前对象的属性值,对类的属性不产生影响,如果类自身调用属性值,并作修改,则属于此类中所有对象的属性都会发生更改。
类中定义的函数(没有被任何装饰器装饰的),其实主要是给对象使用的,而且是绑定到对象的,虽然所有对象指向的都是相同的功能,但是绑定到不同的对象就是不同的绑定方法
强调:绑定到对象的方法的特殊之处在于,绑定给谁就由谁来调用,谁来调用,就会将‘谁’本身当做第一个参数传给方法,即自动传值(方法init也是一样的道理)
s1.apple() #等同于test.apple(s1)
s2.apple() #等同于test.apple(s2)
s3.apple() #等同于test.apple(s3)
注意:绑定到对象的方法的这种自动传值的特征,决定了在类中定义的函数都要默认写一个参数self,self可以是任意名字,但是约定俗成地写出self。
python中一切皆为对象,且python3中类与类型是一个概念,类型就是类.
python为类内置的特殊属性
类名.name# 类的名字(字符串)
类名.doc # 类的文档字符串
类名.base# 类的第一个父类
类名.bases# 类所有父类构成的元组
类名.dict# 类的字典属性
类名.module# 类定义所在的模块
类名.class# 实例对应的类(仅新式类中)
网友评论