我找到了一种在Python中实现(破解)枚举的简单方法:
class MyEnum:
VAL1, VAL2, VAL3 = range(3)
我可以这样称呼它:
bob = MyEnum.VAL1
性感!
好吧,现在我希望能够在给定字符串时获得数值,或者如果给定数值则获得字符串。假设我希望字符串与Enum键的
完全匹配我能想到的最好的是:
class MyEnum:
VAL1, VAL2, VAL3 = range(3)
@classmethod
def tostring(cls, val):
if (val == cls.VAL1):
return "VAL1"
elif (val == cls.VAL2):
return "VAL2"
elif (val == cls.VAL3):
return "VAL3"
else:
return None
@classmethod
def fromstring(cls, str):
if (str.upper() == "VAL1"):
return cls.VAL1
elif (str.upper() == "VAL2"):
return cls.VAL2
elif (str.upper() == "VAL2"):
return cls.VAL2
else:
return None
或类似的东西(忽略我如何捕捉无效案件)
是否有一种更好的,更多以python为中心的方式来做我上面所做的事情?或者上面已经很简洁了。
似乎必须有更好的方法来做到这一点。
答案 0 :(得分:19)
[时间过去了......]
新的Python Enum终于登陆了3.4和has also been backported。所以你的问题的答案现在就是使用它。 :)
一个例子:
>>> from enum import Enum
>>> class Modes(Enum) :
... Mode1 = "M1"
... Mode2 = "M2"
... Mode3 = "M3"
...
>>> Modes.Mode1
<Modes.Mode1: 'M1'>
>>> Modes.Mode1.value
'M1'
>>> Modes.Mode1.value
'M1'
>>> Modes['Mode1'] # index/key notation for name lookup
<Modes.Mode1: 'M1'>
>>> Modes('M1') # call notation for value lookup
<Modes.Mode1: 'M1'>
>>> Modes("XXX") # example error
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "C:\Anaconda3\lib\enum.py", line 291, in __call__
return cls.__new__(cls, value)
File "C:\Anaconda3\lib\enum.py", line 533, in __new__
return cls._missing_(value)
File "C:\Anaconda3\lib\enum.py", line 546, in _missing_
raise ValueError("%r is not a valid %s" % (value, cls.__name__))
ValueError: 'XXX' is not a valid Modes
答案 1 :(得分:10)
嗯,这就是你要求的:
class MyEnum:
VAL1, VAL2, VAL3 = range(3)
@classmethod
def tostring(cls, val):
for k,v in vars(cls).iteritems():
if v==val:
return k
@classmethod
def fromstring(cls, str):
return getattr(cls, str.upper(), None)
print MyEnum.fromstring('Val1')
print MyEnum.tostring(2)
但我真的不明白Python中的Enums。它拥有如此丰富的类型系统以及管理状态的生成器和协同程序。
我知道我已经超过12年没有在Python中使用Enums了,也许你也可以摆脱它们; - )
答案 2 :(得分:7)
使用dict:
MyEnum = {'VAL1': 1, 'VAL2':2, 'VAL3':3}
不需要课程。 Dicts让你的班级节拍,因为1.)他们非常有效率,2。)有一堆令人难以置信的方法,以及3.)是一种通用的语言结构。它们也是可扩展的:
MyEnum['VAL4'] = 4
在Python中实现C ++(或其他语言)功能并不明智。如果你发现自己“乱搞枚举”或者那种性质的东西,你可以打赌你不是用Python方式做的那个农场。
如果你想采取相反的方式,建立另一个字典。 (例如{'1':'VAL1', ...}
答案 3 :(得分:3)
请参阅: How can I represent an 'Enum' in Python?
这个很有意思:
class EnumMeta(type):
def __getattr__(self, name):
return self.values.index(name)
def __setattr__(self, name, value): # this makes it read-only
raise NotImplementedError
def __str__(self):
args = {'name':self.__name__, 'values':', '.join(self.values)}
return '{name}({values})'.format(**args)
def to_str(self, index):
return self.values[index]
class Animal(object):
__metaclass__ = EnumMeta
values = ['Horse','Dog','Cat']
使用:
In [1]: Animal.to_str(Animal.Dog)
Out[1]: 'Dog'
In [2]: Animal.Dog
Out[2]: 1
In [3]: str(Animal)
Out[3]: 'Animal(Horse, Dog, Cat)'
简单轻巧。这种方法有什么缺点吗?
编辑: AFAIK枚举作为一个概念并不是非常pythonic,这就是为什么它们首先没有实现。我从来没有使用它们,也没有在Python中看到它们的任何用例。枚举在静态类型语言中很有用,因为它们不是动态的;)
答案 4 :(得分:3)
这将做你想做的事情并概括你的实施,略微减少锅炉板代码:
class EnumBase: # base class of all Enums
@classmethod
def tostring(cls, value):
return dict((v,k) for k,v in cls.__dict__.iteritems())[value]
@classmethod
def fromstring(cls, name):
return cls.__dict__[name]
class MyEnum(EnumBase): VAL1, VAL2, VAL3 = range(3)
print MyEnum.fromstring('VAL1')
# 0
print MyEnum.tostring(1)
# VAL2
答案 5 :(得分:1)
您可以使用词典:
class MyEnum:
VAL1, VAL2, VAL3 = range(3)
__toString = { VAL1 : "VAL1", VAL2 : "VAL2", VAL3 : "VAL3" }
@classmethod
def tostring(cls, val):
return cls.__toString.get(val)
@classmethod
def fromstring(cls, str):
i = str.upper()
for k,v in cls.__toString.iteritems():
if v == i:
return k
return None
print MyEnum.tostring(MyEnum.VAL1)
print MyEnum.fromstring("VAL1")
编辑:THC4k答案肯定更好。但是把我的作为天真实施的一个例子。
答案 6 :(得分:0)
你不应该在课堂上对你的价值进行硬编码 - 你最好有一个枚举器工厂。 除此之外,只需添加Python提供的一些改编,例如,覆盖represntation方法或属性获取:
class Enumerator(object):
def __init__(self, *names):
self._values = dict((value, index) for index, value in enumerate (names))
def __getattribute__(self, attr):
try:
return object.__getattribute__(self,"_values")[attr]
except KeyError:
return object.__getattribute__(self, attr)
def __getitem__(self, item):
if isinstance (item, int):
return self._values.keys()[self._values.values().index(item)]
return self._values[item]
def __repr__(self):
return repr(self._values.keys())
现在只需使用:
>>> enum = Enumerator("val1", "val2", "val3")
>>> enum
['val3', 'val2', 'val1']
>>> enum.val2
1
>>> enum["val1"]
0
>>> enum[2]
'val3'
(顺便说一句,Python开发人员名单中的人正在讨论这个问题,我们很可能会这样做 有一个更完整的,有足够的功能,由Python 3.3)本地实现这个。