property屬性學習
定義spa
一個能夠使實例方法用起來像實例屬性同樣的特殊關鍵字,能夠對應於某個方法,經過使用property屬性,可以簡化調用者在獲取數據的流程(使代碼更加簡明)。.net
property屬性的定義和調用要注意如下幾點:code
調用時,無需括號,加上就錯了;而且僅有一個self參數htm
實現property屬性的兩種方式對象
裝飾器
ci
新式類中的屬性有三種訪問方式,並分別對應了三個被文檔
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
|
class
Goods:
def
__init__(
self
):
self
.age
=
18
@property
def
price(
self
):
# 讀取
return
self
.age
# 方法名.setter
@price
.setter
# 設置,僅可接收除self外的一個參數
def
price(
self
, value):
self
.age
=
value
# 方法名.deleter
@price
.deleter
# 刪除
def
price(
self
):
del
self
.age
# ############### 調用 ###############
obj
=
Goods()
# 實例化對象
obj.age
# 直接獲取 age屬性值
obj.age
=
123
# 修改age的值
del
obj.age
# 刪除age屬性的值
|
類屬性
字符串
當使用類屬性的方式建立property屬性時,property()方法有四個參數get
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
|
class
Goods(
object
):
def
__init__(
self
):
self
.price
=
100
# 原價
self
.discount
=
0.8
# 折扣
def
get_price(
self
):
# 實際價格 = 原價 * 折扣
new_price
=
self
.price
*
self
.discount
return
new_price
def
set_price(
self
, value):
self
.price
=
value
def
del_price(
self
):
del
self
.price
# 獲取 設置 刪除 描述文檔
PRICE
=
property
(get_price, set_price, del_price,
'價格屬性描述...'
)
# 使用此方式設置
obj
=
Goods()
obj.PRICE
# 獲取商品價格
obj.PRICE
=
200
# 修改商品原價
del
obj.PRICE
# 刪除商品原價
|
使用property取代getter和setter方法
使用@property裝飾器改進私有屬性的get和set方法
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
|
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)
|
以上就是本文的所有內容,但願對你們的學習有所幫助,也但願你們多多支持腳本之家。