在python中获取类中的所有常量

时间:2015-02-19 21:32:36

标签: python class python-2.7 constants

我有一个类,主要用于为其他类定义公共常量。它看起来像下面这样:

class CommonNames(object):
    C1 = 'c1'
    C2 = 'c2'
    C3 = 'c3'

我希望得到所有常量值“pythonically”。如果我使用CommonNames.__dict__.values(),我会获得这些值('c1'等),但我会得到其他内容,例如:

[<attribute '__dict__' of 'CommonNames' objects>,
 <attribute '__weakref__' of 'CommonNames' objects>,
 None]

我不想要。

我希望能够获取所有值,因为此代码稍后会更改,我希望其他地方了解这些更改。

2 个答案:

答案 0 :(得分:12)

您必须通过过滤名称来明确过滤掉这些内容:

[value for name, value in vars(CommonNames).iteritems() if not name.startswith('_')]

这将生成任何不以下划线开头的名称的值列表:

>>> class CommonNames(object):
...     C1 = 'c1'
...     C2 = 'c2'
...     C3 = 'c3'
... 
>>> [value for name, value in vars(CommonNames).iteritems() if not name.startswith('_')]
['c3', 'c2', 'c1']

对于这样的枚举,您最好使用添加到Python 3.4中的新enum34 backportenum library

from enum import Enum

class CommonNames(Enum):
    C1 = 'c1'
    C2 = 'c2'
    C3 = 'c3'

values = [e.value for e in CommonNames]

答案 1 :(得分:1)

如果您尝试在python3中使用Martijn示例,则应使用items()而不是iteritmes(),因为它已被弃用

[value for name, value in vars(CommonNames).items() if not name.startswith('_')]