脚本之家,脚本语言编程技术及教程分享平台!
分类导航

Python|VBS|Ruby|Lua|perl|VBA|Golang|PowerShell|Erlang|autoit|Dos|bat|

服务器之家 - 脚本之家 - Python - Python中@property的理解和使用示例

Python中@property的理解和使用示例

2021-07-03 00:40TKtalk Python

这篇文章主要介绍了Python中@property的理解和使用,结合实例形式分析了Python中@property的功能、使用方法及相关操作注意事项,需要的朋友可以参考下

本文实例讲述了python中@property的理解和使用。分享给大家供大家参考,具体如下:

重看狗书,看到对user表定义的时候有下面两行

?
1
2
3
4
5
6
@property
def password(self):
  raise attributeerror('password is not a readable attribute')
@password.setter
def password(self, password):
  self.password_hash = generate_password_hash(password)

遂重温下这个property的使用

在我们定义数据库字段类的时候,往往需要对其中的类属性做一些限制,一般用get和set方法来写,那在python中,我们该怎么做能够少写代码,又能优雅的实现想要的限制,减少错误的发生呢,这时候就需要我们的@property闪亮登场啦,巴拉巴拉能量……..

用代码来举例子更容易理解,比如一个学生成绩表定义成这样

?
1
2
3
4
5
6
7
8
9
class student(object):
  def get_score(self):
    return self._score
  def set_score(self, value):
    if not isinstance(value, int):
      raise valueerror('score must be an integer!')
    if value < 0 or value > 100:
      raise valueerror('score must between 0 ~ 100!')
    self._score = value

我们调用的时候需要这么调用:

?
1
2
3
4
5
6
7
8
>>> s = student()
>>> s.set_score(60) # ok!
>>> s.get_score()
60
>>> s.set_score(9999)
traceback (most recent call last):
 ...
valueerror: score must between 0 ~ 100!

但是为了方便,节省时间,我们不想写s.set_score(9999)啊,直接写s.score = 9999不是更快么,加了方法做限制不能让调用的时候变麻烦啊,@property快来帮忙….

?
1
2
3
4
5
6
7
8
9
10
11
class student(object):
  @property
  def score(self):
    return self._score
  @score.setter
  def score(self,value):
    if not isinstance(value, int):
      raise valueerror('分数必须是整数才行呐')
    if value < 0 or value > 100:
      raise valueerror('分数必须0-100之间')
    self._score = value

看上面代码可知,把get方法变为属性只需要加上@property装饰器即可,此时@property本身又会创建另外一个装饰器@score.setter,负责把set方法变成给属性赋值,这么做完后,我们调用起来既可控又方便

?
1
2
3
4
5
6
7
8
>>> s = student()
>>> s.score = 60 # ok,实际转化为s.set_score(60)
>>> s.score # ok,实际转化为s.get_score()
60
>>> s.score = 9999
traceback (most recent call last):
 ...
valueerror: score must between 0 ~ 100!

希望本文所述对大家python程序设计有所帮助。

原文链接:https://blog.csdn.net/u013205877/article/details/77804137

延伸 · 阅读

精彩推荐