本文实例讲述了Python面向对象之类的内置attr属性。分享给大家供大家参考,具体如下:
这个比较简单。
代码示例:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
|
# -*- coding:utf-8 -*-
#! python3
class Foo:
x = 1 ;
def __init__( self ,y):
self .y = y;
def __getattr__( self ,item):
print ( '----->from getattr:你找的属性不存在' )
def __setattr__( self , key, value):
print ( '----> from setattr' )
#self.key = value
# 正常思维设置,但是只要设置属性就会触发这个方法,从而进入死递归,
# 所以考虑从字典的属性入手修改属性值。
self .__dict__[key] = value
def __delattr__( self ,item):
print ( '----->from delattr' )
#del self.item
#这个也是同样的道理,会进入死递归
self .__dict__.pop(item)
#_setattr_添加/修改属性会触发它的执行
f1 = Foo( 10 )
print (f1.__dict__) #因为你重写了__setattr__,凡是赋值操作都会触发它的运行,你啥都没写,就是根本没赋值
#除非你直接操作属性字典,否则无法赋值
f1.z = 3
print (f1.__dict__)
#__delattr__删除属性的时候会触发
f1.__dict__[ 'a' ] = 3 #可以直接修改对象的属性字典,来完成添加/修改属性的操作
del f1.a
print (f1.__dict__)
|
运行结果:
----> from setattr
{'y': 10}
----> from setattr
{'y': 10, 'z': 3}
----->from delattr
{'y': 10, 'z': 3}
内置attr属性有三个:__getattr__,___setattr__,__delattr__
如果不重写,那么就用系统默认的。
希望本文所述对大家Python程序设计有所帮助。
原文链接:https://blog.csdn.net/qq_33531400/article/details/79914528