我正在尝试在 python 中创建一个枚举。我见过几种解决方案(@alec thomas 的第二个答案 最让我感兴趣),但我想让枚举不可变。我找到了一个不可变的python 配方,但我想要一个类似 dict 的键/值关联。
我试图使用打鸭子来向类添加属性,AttributeError
如果您尝试调用fset
或fdel
属性,则会抛出一个。
fget
我在定义属性的功能时遇到了麻烦。这是我到目前为止的代码:
def enum(*sequential, **named):
# Build property dict
enums = dict(zip(sequential, range(len(sequential))), **named)
# Define an errorhandler function
def err_func(*args, **kwargs):
raise AttributeError('Enumeration is immutable!')
# Create a base type
t = type('enum', (object,), {})
# Add properties to class by duck-punching
for attr, val in enums.iteritems():
setattr(t, attr, property(lambda attr: enums[attr], err_func, err_func))
# Return an instance of the new class
return t()
e = enum('OK', 'CANCEL', 'QUIT')
print e
print e.OK
print e.CANCEL
print e.QUIT
# Immutable?
e.OK = 'ASDF' # Does throw the correct exception
print e.OK
输出是:
<__main__.enum object at 0x01FC8F70>
Traceback (most recent call last):
File "enum.py", line 24, in <module>
print e.OK
File "enum.py", line 17, in <lambda>
setattr(t, attr, property(lambda attr: enums[attr], err_func, err_func))
KeyError: <__main__.enum object at 0x01FC8F70>
也许这不是创建枚举的最佳方式,但它很短,我想更多地探索整个打鸭/打猴子的概念。