<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
前言:
列舉(enumeration
)在許多程式語言中常被表示為一種基礎的資料結構使用,列舉幫助組織一系列密切相關的成員到同一個群組機制下,一般各種離散的屬性都可以用列舉的資料結構定義,比如顏色、季節、國家、時間單位等
在Python中沒有內建的列舉方法,起初模仿實現列舉屬性的方式是
class Directions: NORTH = 1 EAST = 2 SOUTH = 3 WEST = 4
使用成員:
Direction.EAST
Direction.SOUTH
檢查成員:
>>> print("North的型別:", type(Direction.NORTH)) >>> print(isinstance(Direction.EAST, Direction)) North的型別: <class 'int'> False
成員NORTH的型別是int,而不是Direction
,這個做法只是簡單地將屬性定義到類中
Python
標準庫enum實現了列舉屬性的功能,接下來介紹enum的在實際工作生產中的用法
enum
規定了一個有限集合的屬性,限定只能使用集合內的值,明確地宣告了哪些值是合法值,,如果輸入不合法的值會引發錯誤,只要是想要從一個限定集合取值使用的方式就可以使用enum
來組織值。
from enum import Enum class Directions(Enum): NORTH = 1 EAST = 2 SOUTH = 3 WEST = 4
使用和型別檢查:
>>> Directions.EAST <Directions.EAST: 2> >>> Directions.SOUTH <Directions.SOUTH: 3> >>> Directions.EAST.name 'EAST' >>> Directions.EAST.value 2 >>> print("South的型別:", type(Directions.SOUTH)) South的型別: <enum 'Directions'> >>> print(isinstance(Directions.EAST, Directions)) True >>>
檢查範例South
的的型別,結果如期望的是Directions
。name
和value
是兩個有用的附加屬性。
實際工作中可能會這樣使用:
fetched_value = 2 # 獲取值 if Directions(fetched_value) is Directions.NORTH: ... elif Directions(fetched_value) is Directions.EAST: ... else: ...
輸入未定義的值時:
>>> Directions(5) ValueError: 5 is not a valid Directions
>>> for name, value in Directions.__members__.items(): ... print(name, value) ... NORTH Directions.NORTH EAST Directions.EAST SOUTH Directions.SOUTH WEST Directions.WEST
可以用於將定義的值轉換為獲取需要的值
from enum import Enum class Directions(Enum): NORTH = 1 EAST = 2 SOUTH = 3 WEST = 4 def angle(self): right_angle = 90.0 return right_angle * (self.value - 1) @staticmethod def angle_interval(direction0, direction1): return abs(direction0.angle() - direction1.angle()) >>> east = Directions.EAST >>> print("SOUTH Angle:", east.angle()) SOUTH Angle: 90.0 >>> west = Directions.WEST >>> print("Angle Interval:", Directions.angle_interval(east, west)) Angle Interval: 180.0
from enum import Enum from functools import partial def plus_90(value): return Directions(value).angle + 90 class Directions(Enum): NORTH = 1 EAST = 2 SOUTH = 3 WEST = 4 PLUS_90 = partial(plus_90) def __call__(self, *args, **kwargs): return self.value(*args, **kwargs) @property def angle(self): right_angle = 90.0 return right_angle * (self.value - 1) print(Directions.NORTH.angle) print(Directions.EAST.angle) south = Directions(3) print("SOUTH angle:", south.angle) print("SOUTH angle plus 90: ", Directions.PLUS_90(south.value))
輸出:
0.0
90.0
SOUTH angle: 180.0
SOUTH angle plus 90: 270.0
key: 1.將函數方法用partial包起來;2.定義__call__
方法。
忽略大小寫:
class TimeUnit(Enum): MONTH = "MONTH" WEEK = "WEEK" DAY = "DAY" HOUR = "HOUR" MINUTE = "MINUTE" @classmethod def _missing_(cls, value: str): for member in cls: if member.value == value.upper(): return member print(TimeUnit("MONTH")) print(TimeUnit("Month"))
繼承父類別Enum
的_missing_
方法,在值的比較時將case改為一致即可
輸出:
TimeUnit.MONTH
TimeUnit.MONTH
第一種,執行SomeEnum
(“abc”)時想要引發自定義錯誤,其中"abc"是未定義的屬性值
class TimeUnit(Enum): MONTH = "MONTH" WEEK = "WEEK" DAY = "DAY" HOUR = "HOUR" MINUTE = "MINUTE" @classmethod def _missing_(cls, value: str): raise Exception("Customized exception") print(TimeUnit("MONTH")) TimeUnit("abc")
輸出:
TimeUnit.MONTH
ValueError: 'abc' is not a valid TimeUnit
...
Exception: Customized exception
第二種:執行SomeEnum.__getattr__
(“ABC”)時,想要引發自定義錯誤,其中"ABC"是未定義的屬性名稱,需要重寫一下EnumMeta中的__getattr__方法,然後指定範例Enum物件的的metaclass
from enum import Enum, EnumMeta from functools import partial class SomeEnumMeta(EnumMeta): def __getattr__(cls, name: str): value = cls.__members__.get(name.upper()) # (這裡name是屬性名稱,可以自定義固定傳入大寫(或小寫),對應下面的A1是大寫) if not value: raise Exception("Customized exception") return value class SomeEnum1(Enum, metaclass=SomeEnumMeta): A1 = "123" class SomeEnum2(Enum, metaclass=SomeEnumMeta): A1 = partial(lambda x: x) def __call__(self, *args, **kwargs): return self.value(*args, **kwargs) print(SomeEnum1.__getattr__("A1")) print(SomeEnum2.__getattr__("a1")("123")) print(SomeEnum2.__getattr__("B")("123"))
輸出:
SomeEnum1.A1
123
...
Exception: Customized exception
動態建立和修改Enum物件,可以在不修改原定義好的Enum類的情況下,追加修改,這裡借用一個說明範例,具體的場景使用案例可以看下面的場景舉例
>>> # Create an Enum class using the functional API ... DirectionFunctional = Enum("DirectionFunctional", "NORTH EAST SOUTH WEST", module=__name__) ... # Check what the Enum class is ... print(DirectionFunctional) ... # Check the items ... print(list(DirectionFunctional)) ... print(DirectionFunctional.__members__.items()) ... <enum 'DirectionFunctional'> [<DirectionFunctional.NORTH: 1>, <DirectionFunctional.EAST: 2>, <DirectionFunctional.SOUTH: 3>, <DirectionFunctional.WEST: 4>] dict_items([('NORTH', <DirectionFunctional.NORTH: 1>), ('EAST', <DirectionFunctional.EAST: 2>), ('SOUTH', <DirectionFunctional.SOUTH: 3>), ('WEST', <DirectionFunctional.WEST: 4>)]) >>> # Create a function and patch it to the DirectionFunctional class ... def angle(DirectionFunctional): ... right_angle = 90.0 ... return right_angle * (DirectionFunctional.value - 1) ... ... ... DirectionFunctional.angle = angle ... ... # Create a member and access its angle ... south = DirectionFunctional.SOUTH ... print("South Angle:", south.angle()) ... South Angle: 180.0
注:這裡沒有使用類直接宣告的方式來執行列舉(定義時如果不指定值預設是從1開始的數位,也就相當於NORTH = auto(),auto是enum中的方法),仍然可以在後面為這個動態建立的DirectionFunctional
建立方法,這種在執行的過程中修改物件的方法也就是python
的monkey patching
。
Functional APIs的用處和使用場景舉例:
在不修改某定義好的Enum類的程式碼塊的情況下,下面範例中是Arithmethic
類,可以認為是某原始碼庫我們不想修改它,然後增加這個Enum類的屬性,有兩種方法:
1.enum.Enum物件的屬性不可以直接被修改,但我們可以動態建立一個新的Enum類,以拓展原來的Enum物件
例如要為下面的Enum物件Arithmetic增加一個取模成員MOD="%",但是又不能修改Arithmetic類中的程式碼塊:
# enum_test.py from enum import Enum class Arithmetic(Enum): ADD = "+" SUB = "-" MUL = "*" DIV = "/"
就可以使用enum的Functional APIs方法:
# functional_api_test.py from enum import Enum DynamicEnum = Enum("Arithmetic", {"MOD": "%"}, module="enum_test", qualname="enum_test.Arithmetic") print(DynamicEnum.MOD) print(eval(f"5 {DynamicEnum.MOD.value} 3"))
輸出:
Arithmetic.MOD
2
注意:動態建立Enum物件時,要指定原Enum類所在的module名稱: "Yourmodule",否則執行時可能會因為找不到源無法解析,qualname要指定類的位置:"Yourmodule.YourEnum",值用字串型別
2.使用aenum.extend_enum可以動態修改enum.Enum物件
為enum.Enum
類Arithmetic
增加一個指數成員EXP="**",且不修改原來的Arithmetic類的程式碼塊:
# functional_api_test.py from aenum import extend_enum from enum_test import Arithmetic extend_enum(Arithmetic, "EXP", "**") print(Arithmetic, list(Arithmetic)) print(eval(f"2 {Arithmetic.EXP.value} 3"))
輸出:
<enum 'Arithmetic'> [<Arithmetic.ADD: '+'>, <Arithmetic.SUB: '-'>, <Arithmetic.MUL: '*'>, <Arithmetic.DIV: '/'>, <Arithmetic.EXP: '**'>]
8
到此這篇關於Python 中enum的使用方法總結的文章就介紹到這了,更多相關Python enum使用內容請搜尋it145.com以前的文章或繼續瀏覽下面的相關文章希望大家以後多多支援it145.com!
相關文章
<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
综合看Anker超能充系列的性价比很高,并且与不仅和iPhone12/苹果<em>Mac</em>Book很配,而且适合多设备充电需求的日常使用或差旅场景,不管是安卓还是Switch同样也能用得上它,希望这次分享能给准备购入充电器的小伙伴们有所
2021-06-01 09:31:42
除了L4WUDU与吴亦凡已经多次共事,成为了明面上的厂牌成员,吴亦凡还曾带领20XXCLUB全队参加2020年的一场音乐节,这也是20XXCLUB首次全员合照,王嗣尧Turbo、陈彦希Regi、<em>Mac</em> Ova Seas、林渝植等人全部出场。然而让
2021-06-01 09:31:34
目前应用IPFS的机构:1 谷歌<em>浏览器</em>支持IPFS分布式协议 2 万维网 (历史档案博物馆)数据库 3 火狐<em>浏览器</em>支持 IPFS分布式协议 4 EOS 等数字货币数据存储 5 美国国会图书馆,历史资料永久保存在 IPFS 6 加
2021-06-01 09:31:24
开拓者的车机是兼容苹果和<em>安卓</em>,虽然我不怎么用,但确实兼顾了我家人的很多需求:副驾的门板还配有解锁开关,有的时候老婆开车,下车的时候偶尔会忘记解锁,我在副驾驶可以自己开门:第二排设计很好,不仅配置了一个很大的
2021-06-01 09:30:48
不仅是<em>安卓</em>手机,苹果手机的降价力度也是前所未有了,iPhone12也“跳水价”了,发布价是6799元,如今已经跌至5308元,降价幅度超过1400元,最新定价确认了。iPhone12是苹果首款5G手机,同时也是全球首款5nm芯片的智能机,它
2021-06-01 09:30:45