Python 官方文档:入门教程 => 点击学习
本篇内容介绍了“python中@property怎么使用”的有关知识,在实际案例的操作过程中,不少人都会遇到这样的困境,接下来就让小编带领大家学习一下如何处理这些情况吧!希望大家仔细阅读,能够学有所成!1.什么是property简单地说就是
本篇内容介绍了“python中@property怎么使用”的有关知识,在实际案例的操作过程中,不少人都会遇到这样的困境,接下来就让小编带领大家学习一下如何处理这些情况吧!希望大家仔细阅读,能够学有所成!
简单地说就是一个类里面的方法一旦被@property装饰,就可以像调用属性一样地去调用这个方法,它能够简化调用者获取数据的流程,而且不用担心将属性暴露出来,有人对其进行赋值操作(避免使用者的不合理操作)。需要注意的两点是
调用被装饰方法的时候是不用加括号的
方法定义的时候有且只能有self一个参数
>>> class Goods(): def __init__(self,unit_price,weight): self.unit_price = unit_price self.weight = weight @property def price(self): return self.unit_price * self.weight>>> lemons = Goods(7,4)>>>>>> lemons.price28
上面通过调用属性的方式直接调用到 price 方法,property把复杂的处理过程封装到了方法里面去,取值的时候调用相应的方法名即可。
A、装饰器方式
在类的方法上应用@property装饰器,即上面那种方式。
B、类属性方式
创建一个实例对象赋值给类属性
>>> class Lemons(): def __init__(self,unit_price=7): self.unit_price = unit_price def get_unit_price(self): return self.unit_price def set_unit_price(self,new_unit_price): self.unit_price = new_unit_price def del_unit_price(self): del self.unit_price x = property(get_unit_price, set_unit_price, del_unit_price)>>> fruit = Lemons()>>> >>> fruit.x #调用 fruit.x 触发 get_unit_price7>>> >>> fruit.x = 9 #调用 fruit.x = 9 触发 set_unit_price>>> >>> fruit.x9>>> >>> fruit.unit_price #调用 fruit.unit_price 触发 get_unit_price9>>> del fruit.x #调用 del fruit.x 触发 del_unit_price >>> >>> fruit.unit_priceTraceback (most recent call last): File "<pyshell#23>", line 1, in <module> l.unit_priceAttributeError: 'Lemons' object has no attribute 'unit_price'
property方法可以接收四个参数
第一个参数是获得属性的方法名,调用 对象.属性时自动触发
第二个参数是设置属性的方法名, 给属性赋值时自动触发
第三个参数是删除属性的方法名,删除属性时自动触发
第四个参数是字符串,是属性的描述文档,调用对象.属性.doc时触发
>>>class Watermelon(): def __init__(self,price): self._price = price #私有属性,外部无法修改和访问 def get_price(self): return self._price def set_price(self,new_price): if new_price > 0: self._price = new_price else: raise 'error:价格必须大于零'
用property代替getter和setter
>>>class Watermelon(): def __init__(self,price): self._price = price @property #使用@property装饰price方法 def price(self): return self._price @price.setter #使用@property装饰方法,当对price赋值时,调用装饰方法 def price(self,new_price): if new_price > 0: self._price = new_price else: raise 'error:价格必须大于零'>>> watermelon = Watermelon(4)>>> >>> watermelon.price4>>> >>> watermelon.price = 7>>> >>> watermelon.price7
“Python中@property怎么使用”的内容就介绍到这里了,感谢大家的阅读。如果想了解更多行业相关的知识可以关注编程网网站,小编将为大家输出更多高质量的实用文章!
--结束END--
本文标题: python中@property怎么使用
本文链接: https://lsjlt.com/news/341713.html(转载时请注明来源链接)
有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341
2024-03-01
2024-03-01
2024-03-01
2024-02-29
2024-02-29
2024-02-29
2024-02-29
2024-02-29
2024-02-29
2024-02-29
回答
回答
回答
回答
回答
回答
回答
回答
回答
回答
0