您当前的位置:首页 > 电脑百科 > 程序开发 > 语言 > Python

Python property属性

时间:2019-08-30 10:42:05  来源:  作者:

1. 什么是property属性

一种用起来像是使用的实例属性一样的特殊属性,可以对应于某个方法

# ############### 定义 ###############
class Foo:
 def func(self):
 pass
 # 定义property属性
 @property
 def prop(self):
 pass
# ############### 调用 ###############
foo_obj = Foo()
foo_obj.func() # 调用实例方法
foo_obj.prop # 调用property属性
Python property属性

 

property属性的定义和调用要注意一下几点:

定义时,在实例方法的基础上添加 @property 装饰器;并且仅有一个self参数

调用时,无需括号

 方法:foo_obj.func()
 property属性:foo_obj.prop

2. 简单的实例

对于京东商城中显示电脑主机的列表页面,每次请求不可能把数据库中的所有内容都显示到页面上,而是通过分页的功能局部显示,所以在向数据库中请求数据时就要显示的指定获取从第m条到第n条的所有数据 这个分页的功能包括:

根据用户请求的当前页和总数据条数计算出 m 和 n

根据m 和 n 去数据库中请求数据

# ############### 定义 ###############
class Pager:
 def __init__(self, current_page):
 # 用户当前请求的页码(第一页、第二页...)
 self.current_page = current_page
 # 每页默认显示10条数据
 self.per_items = 10 
 @property
 def start(self):
 val = (self.current_page - 1) * self.per_items
 return val
 @property
 def end(self):
 val = self.current_page * self.per_items
 return val
# ############### 调用 ###############
p = Pager(1)
p.start # 就是起始值,即:m
p.end # 就是结束值,即:n

从上述可见

Python的property属性的功能是:property属性内部进行一系列的逻辑计算,最终将计算结果返回。

3. property属性的有两种方式

装饰器 即:在方法上应用装饰器

类属性 即:在类中定义值为property对象的类属性

3.1 装饰器方式

在类的实例方法上应用@property装饰器

Python中的类有经典类和新式类,新式类的属性比经典类的属性丰富。( 如果类继object,那么该类是新式类 )

经典类,具有一种@property装饰器

# ############### 定义 ############### 
class Goods:
 @property
 def price(self):
 return "laowang"
# ############### 调用 ###############
obj = Goods()
result = obj.price # 自动执行 @property 修饰的 price 方法,并获取方法的返回值
print(result)

新式类,具有三种@property装饰器

#coding=utf-8
# ############### 定义 ###############
class Goods:
 """python3中默认继承object类
 以python2、3执行此程序的结果不同,因为只有在python3中才有@xxx.setter @xxx.deleter
 """
 @property
 def price(self):
 print('@property')
 @price.setter
 def price(self, value):
 print('@price.setter')
 @price.deleter
 def price(self):
 print('@price.deleter')
# ############### 调用 ###############
obj = Goods()
obj.price # 自动执行 @property 修饰的 price 方法,并获取方法的返回值
obj.price = 123 # 自动执行 @price.setter 修饰的 price 方法,并将 123 赋值给方法的参数
del obj.price # 自动执行 @price.deleter 修饰的 price 方法

注意

经典类中的属性只有一种访问方式,其对应被 @property 修饰的方法

新式类中的属性有三种访问方式,并分别对应了三个被@property、@方法名.setter、@方法名.deleter修饰的方法

由于新式类中具有三种访问方式,我们可以根据它们几个属性的访问特点,分别将三个方法定义为对同一个属性:获取、修改、删除

class Goods(object):
 def __init__(self):
 # 原价
 self.original_price = 100
 # 折扣
 self.discount = 0.8
 @property
 def price(self):
 # 实际价格 = 原价 * 折扣
 new_price = self.original_price * self.discount
 return new_price
 @price.setter
 def price(self, value):
 self.original_price = value
 @price.deleter
 def price(self):
 del self.original_price
obj = Goods()
obj.price # 获取商品价格
obj.price = 200 # 修改商品原价
del obj.price # 删除商品原价

3.2 类属性方式,创建值为property对象的类属性

当使用类属性的方式创建property属性时,经典类和新式类无区别

class Foo:
 def get_bar(self):
 return 'laowang'
 BAR = property(get_bar)
obj = Foo()
reuslt = obj.BAR # 自动调用get_bar方法,并获取方法的返回值
print(reuslt)

property方法中有个四个参数

第一个参数是方法名,调用 对象.属性 时自动触发执行方法

第二个参数是方法名,调用 对象.属性 = XXX 时自动触发执行方法

第三个参数是方法名,调用 del 对象.属性 时自动触发执行方法

第四个参数是字符串,调用 对象.属性.doc ,此参数是该属性的描述信息

#coding=utf-8
class Foo(object):
 def get_bar(self):
 print("getter...")
 return 'laowang'
 def set_bar(self, value): 
 """必须两个参数"""
 print("setter...")
 return 'set value' + value
 def del_bar(self):
 print("deleter...")
 return 'laowang'
 BAR = property(get_bar, set_bar, del_bar, "description...")
obj = Foo()
obj.BAR # 自动调用第一个参数中定义的方法:get_bar
obj.BAR = "alex" # 自动调用第二个参数中定义的方法:set_bar方法,并将“alex”当作参数传入
desc = Foo.BAR.__doc__ # 自动获取第四个参数中设置的值:description...
print(desc)
del obj.BAR # 自动调用第三个参数中定义的方法:del_bar方法

由于类属性方式创建property属性具有3种访问方式,我们可以根据它们几个属性的访问特点,分别将三个方法定义为对同一个属性:获取、修改、删除

class Goods(object):
 def __init__(self):
 # 原价
 self.original_price = 100
 # 折扣
 self.discount = 0.8
 def get_price(self):
 # 实际价格 = 原价 * 折扣
 new_price = self.original_price * self.discount
 return new_price
 def set_price(self, value):
 self.original_price = value
 def del_price(self):
 del self.original_price
 PRICE = property(get_price, set_price, del_price, '价格属性描述...')
obj = Goods()
obj.PRICE # 获取商品价格
obj.PRICE = 200 # 修改商品原价
del obj.PRICE # 删除商品原价

4. Django框架中应用了property属性(了解)

WEB框架 Django 的视图中 request.POST 就是使用的类属性的方式创建的属性

class WSGIRequest(http.HttpRequest):
 def __init__(self, environ):
 script_name = get_script_name(environ)
 path_info = get_path_info(environ)
 if not path_info:
 # Sometimes PATH_INFO exists, but is empty (e.g. accessing
 # the SCRIPT_NAME URL without a trailing slash). We really need to
 # operate as if they'd requested '/'. Not amazingly nice to force
 # the path like this, but should be harmless.
 path_info = '/'
 self.environ = environ
 self.path_info = path_info
 self.path = '%s/%s' % (script_name.rstrip('/'), path_info.lstrip('/'))
 self.META = environ
 self.META['PATH_INFO'] = path_info
 self.META['SCRIPT_NAME'] = script_name
 self.method = environ['REQUEST_METHOD'].upper()
 _, content_params = cgi.parse_header(environ.get('CONTENT_TYPE', ''))
 if 'charset' in content_params:
 try:
 codecs.lookup(content_params['charset'])
 except LookupError:
 pass
 else:
 self.encoding = content_params['charset']
 self._post_parse_error = False
 try:
 content_length = int(environ.get('CONTENT_LENGTH'))
 except (ValueError, TypeError):
 content_length = 0
 self._stream = LimitedStream(self.environ['wsgi.input'], content_length)
 self._read_started = False
 self.resolver_match = None
 def _get_scheme(self):
 return self.environ.get('wsgi.url_scheme')
 def _get_request(self):
 warnings.warn('`request.REQUEST` is deprecated, use `request.GET` or '
 '`request.POST` instead.', RemovedInDjango19Warning, 2)
 if not hasattr(self, '_request'):
 self._request = datastructures.MergeDict(self.POST, self.GET)
 return self._request
 @cached_property
 def GET(self):
 # The WSGI spec says 'QUERY_STRING' may be absent.
 raw_query_string = get_bytes_from_wsgi(self.environ, 'QUERY_STRING', '')
 return http.QueryDict(raw_query_string, encoding=self._encoding)
 # ############### 看这里看这里 ###############
 def _get_post(self):
 if not hasattr(self, '_post'):
 self._load_post_and_files()
 return self._post
 # ############### 看这里看这里 ###############
 def _set_post(self, post):
 self._post = post
 @cached_property
 def COOKIES(self):
 raw_cookie = get_str_from_wsgi(self.environ, 'HTTP_COOKIE', '')
 return http.parse_cookie(raw_cookie)
 def _get_files(self):
 if not hasattr(self, '_files'):
 self._load_post_and_files()
 return self._files
 # ############### 看这里看这里 ###############
 POST = property(_get_post, _set_post)
 FILES = property(_get_files)
 REQUEST = property(_get_request)

综上所述:

定义property属性共有两种方式,分别是【装饰器】和【类属性】,而【装饰器】方式针对经典类和新式类又有所不同。

通过使用property属性,能够简化调用者在获取数据的流程

property属性-应用

1. 私有属性添加getter和setter方法

class Money(object):
 def __init__(self):
 self.__money = 0
 def getMoney(self):
 return self.__money
 def setMoney(self, value):
 if isinstance(value, int):
 self.__money = value
 else:
 print("error:不是整型数字")

2. 使用property升级getter和setter方法

class Money(object):
 def __init__(self):
 self.__money = 0
 def getMoney(self):
 return self.__money
 def setMoney(self, value):
 if isinstance(value, int):
 self.__money = value
 else:
 print("error:不是整型数字")
 # 定义一个属性,当对这个money设置值时调用setMoney,当获取值时调用getMoney
 money = property(getMoney, setMoney) 
a = Money()
a.money = 100 # 调用setMoney方法
print(a.money) # 调用getMoney方法
#100

3. 使用property取代getter和setter方法

重新实现一个属性的设置和读取方法,可做边界判定

class Money(object):
 def __init__(self):
 self.__money = 0
 # 使用装饰器对money进行装饰,那么会自动添加一个叫money的属性,当调用获取money的值时,调用装饰的方法
 @property
 def money(self):
 return self.__money
 # 使用装饰器对money进行装饰,当对money设置值时,调用装饰的方法
 @money.setter
 def money(self, value):
 if isinstance(value, int):
 self.__money = value
 else:
 print("error:不是整型数字")
a = Money()
a.money = 100
print(a.money)


Tags:Python property   点击:()  评论:()
声明:本站部分内容及图片来自互联网,转载是出于传递更多信息之目的,内容观点仅代表作者本人,如有任何标注错误或版权侵犯请与我们联系(Email:2595517585@qq.com),我们将及时更正、删除,谢谢。
▌相关推荐
1. 什么是property属性一种用起来像是使用的实例属性一样的特殊属性,可以对应于某个方法# ############### 定义 ###############class Foo: def func(self): pass # 定义pro...【详细内容】
2019-08-30  Tags: Python property  点击:(172)  评论:(0)  加入收藏
▌简易百科推荐
大家好,我是菜鸟哥,今天跟大家一起聊一下Python4的话题! 从2020年的1月1号开始,Python官方正式的停止了对于Python2的维护。Python也正式的进入了Python3的时代。而随着时间的...【详细内容】
2021-12-28  菜鸟学python    Tags:Python4   点击:(1)  评论:(0)  加入收藏
学习Python的初衷是因为它的实践的便捷性,几乎计算机上能完成的各种操作都能在Python上找到解决途径。平时工作需要在线学习。而在线学习的复杂性经常让人抓狂。费时费力且效...【详细内容】
2021-12-28  风度翩翩的Python    Tags:Python   点击:(1)  评论:(0)  加入收藏
Python 是一个很棒的语言。它是世界上发展最快的编程语言之一。它一次又一次地证明了在开发人员职位中和跨行业的数据科学职位中的实用性。整个 Python 及其库的生态系统使...【详细内容】
2021-12-27  IT资料库    Tags:Python 库   点击:(2)  评论:(0)  加入收藏
菜单驱动程序简介菜单驱动程序是通过显示选项列表从用户那里获取输入并允许用户从选项列表中选择输入的程序。菜单驱动程序的一个简单示例是 ATM(自动取款机)。在交易的情况下...【详细内容】
2021-12-27  子冉爱python    Tags:Python   点击:(4)  评论:(0)  加入收藏
有不少同学学完Python后仍然很难将其灵活运用。我整理15个Python入门的小程序。在实践中应用Python会有事半功倍的效果。01 实现二元二次函数实现数学里的二元二次函数:f(x,...【详细内容】
2021-12-22  程序汪小成    Tags:Python入门   点击:(32)  评论:(0)  加入收藏
Verilog是由一个个module组成的,下面是其中一个module在网表中的样子,我只需要提取module名字、实例化关系。module rst_filter ( ...); 端口声明... wire定义......【详细内容】
2021-12-22  编程啊青    Tags:Verilog   点击:(9)  评论:(0)  加入收藏
运行环境 如何从 MP4 视频中提取帧 将帧变成 GIF 创建 MP4 到 GIF GUI ...【详细内容】
2021-12-22  修道猿    Tags:Python   点击:(6)  评论:(0)  加入收藏
面向对象:Object Oriented Programming,简称OOP,即面向对象程序设计。类(Class)和对象(Object)类是用来描述具有相同属性和方法对象的集合。对象是类的具体实例。比如,学生都有...【详细内容】
2021-12-22  我头秃了    Tags:python   点击:(9)  评论:(0)  加入收藏
所谓内置函数,就是Python提供的, 可以直接拿来直接用的函数,比如大家熟悉的print,range、input等,也有不是很熟,但是很重要的,如enumerate、zip、join等,Python内置的这些函数非常...【详细内容】
2021-12-21  程序员小新ds    Tags:python初   点击:(5)  评论:(0)  加入收藏
Hi,大家好。我们在接口自动化测试项目中,有时候需要一些加密。今天给大伙介绍Python实现各种 加密 ,接口加解密再也不愁。目录一、项目加解密需求分析六、Python加密库PyCrypto...【详细内容】
2021-12-21  Python可乐    Tags:Python   点击:(8)  评论:(0)  加入收藏
最新更新
栏目热门
栏目头条