enum.py 22 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574
  1. import sys
  2. from collections import OrderedDict
  3. from types import MappingProxyType, DynamicClassAttribute
  4. __all__ = ['Enum', 'IntEnum', 'unique']
  5. def _is_descriptor(obj):
  6. """Returns True if obj is a descriptor, False otherwise."""
  7. return (
  8. hasattr(obj, '__get__') or
  9. hasattr(obj, '__set__') or
  10. hasattr(obj, '__delete__'))
  11. def _is_dunder(name):
  12. """Returns True if a __dunder__ name, False otherwise."""
  13. return (name[:2] == name[-2:] == '__' and
  14. name[2:3] != '_' and
  15. name[-3:-2] != '_' and
  16. len(name) > 4)
  17. def _is_sunder(name):
  18. """Returns True if a _sunder_ name, False otherwise."""
  19. return (name[0] == name[-1] == '_' and
  20. name[1:2] != '_' and
  21. name[-2:-1] != '_' and
  22. len(name) > 2)
  23. def _make_class_unpicklable(cls):
  24. """Make the given class un-picklable."""
  25. def _break_on_call_reduce(self, proto):
  26. raise TypeError('%r cannot be pickled' % self)
  27. cls.__reduce_ex__ = _break_on_call_reduce
  28. cls.__module__ = '<unknown>'
  29. class _EnumDict(dict):
  30. """Track enum member order and ensure member names are not reused.
  31. EnumMeta will use the names found in self._member_names as the
  32. enumeration member names.
  33. """
  34. def __init__(self):
  35. super().__init__()
  36. self._member_names = []
  37. def __setitem__(self, key, value):
  38. """Changes anything not dundered or not a descriptor.
  39. If an enum member name is used twice, an error is raised; duplicate
  40. values are not checked for.
  41. Single underscore (sunder) names are reserved.
  42. """
  43. if _is_sunder(key):
  44. raise ValueError('_names_ are reserved for future Enum use')
  45. elif _is_dunder(key):
  46. pass
  47. elif key in self._member_names:
  48. # descriptor overwriting an enum?
  49. raise TypeError('Attempted to reuse key: %r' % key)
  50. elif not _is_descriptor(value):
  51. if key in self:
  52. # enum overwriting a descriptor?
  53. raise TypeError('Key already defined as: %r' % self[key])
  54. self._member_names.append(key)
  55. super().__setitem__(key, value)
  56. # Dummy value for Enum as EnumMeta explicitly checks for it, but of course
  57. # until EnumMeta finishes running the first time the Enum class doesn't exist.
  58. # This is also why there are checks in EnumMeta like `if Enum is not None`
  59. Enum = None
  60. class EnumMeta(type):
  61. """Metaclass for Enum"""
  62. @classmethod
  63. def __prepare__(metacls, cls, bases):
  64. return _EnumDict()
  65. def __new__(metacls, cls, bases, classdict):
  66. # an Enum class is final once enumeration items have been defined; it
  67. # cannot be mixed with other types (int, float, etc.) if it has an
  68. # inherited __new__ unless a new __new__ is defined (or the resulting
  69. # class will fail).
  70. member_type, first_enum = metacls._get_mixins_(bases)
  71. __new__, save_new, use_args = metacls._find_new_(classdict, member_type,
  72. first_enum)
  73. # save enum items into separate mapping so they don't get baked into
  74. # the new class
  75. members = {k: classdict[k] for k in classdict._member_names}
  76. for name in classdict._member_names:
  77. del classdict[name]
  78. # check for illegal enum names (any others?)
  79. invalid_names = set(members) & {'mro', }
  80. if invalid_names:
  81. raise ValueError('Invalid enum member name: {0}'.format(
  82. ','.join(invalid_names)))
  83. # create a default docstring if one has not been provided
  84. if '__doc__' not in classdict:
  85. classdict['__doc__'] = 'An enumeration.'
  86. # create our new Enum type
  87. enum_class = super().__new__(metacls, cls, bases, classdict)
  88. enum_class._member_names_ = [] # names in definition order
  89. enum_class._member_map_ = OrderedDict() # name->value map
  90. enum_class._member_type_ = member_type
  91. # save attributes from super classes so we know if we can take
  92. # the shortcut of storing members in the class dict
  93. base_attributes = {a for b in enum_class.mro() for a in b.__dict__}
  94. # Reverse value->name map for hashable values.
  95. enum_class._value2member_map_ = {}
  96. # If a custom type is mixed into the Enum, and it does not know how
  97. # to pickle itself, pickle.dumps will succeed but pickle.loads will
  98. # fail. Rather than have the error show up later and possibly far
  99. # from the source, sabotage the pickle protocol for this class so
  100. # that pickle.dumps also fails.
  101. #
  102. # However, if the new class implements its own __reduce_ex__, do not
  103. # sabotage -- it's on them to make sure it works correctly. We use
  104. # __reduce_ex__ instead of any of the others as it is preferred by
  105. # pickle over __reduce__, and it handles all pickle protocols.
  106. if '__reduce_ex__' not in classdict:
  107. if member_type is not object:
  108. methods = ('__getnewargs_ex__', '__getnewargs__',
  109. '__reduce_ex__', '__reduce__')
  110. if not any(m in member_type.__dict__ for m in methods):
  111. _make_class_unpicklable(enum_class)
  112. # instantiate them, checking for duplicates as we go
  113. # we instantiate first instead of checking for duplicates first in case
  114. # a custom __new__ is doing something funky with the values -- such as
  115. # auto-numbering ;)
  116. for member_name in classdict._member_names:
  117. value = members[member_name]
  118. if not isinstance(value, tuple):
  119. args = (value, )
  120. else:
  121. args = value
  122. if member_type is tuple: # special case for tuple enums
  123. args = (args, ) # wrap it one more time
  124. if not use_args:
  125. enum_member = __new__(enum_class)
  126. if not hasattr(enum_member, '_value_'):
  127. enum_member._value_ = value
  128. else:
  129. enum_member = __new__(enum_class, *args)
  130. if not hasattr(enum_member, '_value_'):
  131. enum_member._value_ = member_type(*args)
  132. value = enum_member._value_
  133. enum_member._name_ = member_name
  134. enum_member.__objclass__ = enum_class
  135. enum_member.__init__(*args)
  136. # If another member with the same value was already defined, the
  137. # new member becomes an alias to the existing one.
  138. for name, canonical_member in enum_class._member_map_.items():
  139. if canonical_member._value_ == enum_member._value_:
  140. enum_member = canonical_member
  141. break
  142. else:
  143. # Aliases don't appear in member names (only in __members__).
  144. enum_class._member_names_.append(member_name)
  145. # performance boost for any member that would not shadow
  146. # a DynamicClassAttribute
  147. if member_name not in base_attributes:
  148. setattr(enum_class, member_name, enum_member)
  149. # now add to _member_map_
  150. enum_class._member_map_[member_name] = enum_member
  151. try:
  152. # This may fail if value is not hashable. We can't add the value
  153. # to the map, and by-value lookups for this value will be
  154. # linear.
  155. enum_class._value2member_map_[value] = enum_member
  156. except TypeError:
  157. pass
  158. # double check that repr and friends are not the mixin's or various
  159. # things break (such as pickle)
  160. for name in ('__repr__', '__str__', '__format__', '__reduce_ex__'):
  161. class_method = getattr(enum_class, name)
  162. obj_method = getattr(member_type, name, None)
  163. enum_method = getattr(first_enum, name, None)
  164. if obj_method is not None and obj_method is class_method:
  165. setattr(enum_class, name, enum_method)
  166. # replace any other __new__ with our own (as long as Enum is not None,
  167. # anyway) -- again, this is to support pickle
  168. if Enum is not None:
  169. # if the user defined their own __new__, save it before it gets
  170. # clobbered in case they subclass later
  171. if save_new:
  172. enum_class.__new_member__ = __new__
  173. enum_class.__new__ = Enum.__new__
  174. return enum_class
  175. def __bool__(self):
  176. """
  177. classes/types should always be True.
  178. """
  179. return True
  180. def __call__(cls, value, names=None, *, module=None, qualname=None, type=None, start=1):
  181. """Either returns an existing member, or creates a new enum class.
  182. This method is used both when an enum class is given a value to match
  183. to an enumeration member (i.e. Color(3)) and for the functional API
  184. (i.e. Color = Enum('Color', names='red green blue')).
  185. When used for the functional API:
  186. `value` will be the name of the new class.
  187. `names` should be either a string of white-space/comma delimited names
  188. (values will start at `start`), or an iterator/mapping of name, value pairs.
  189. `module` should be set to the module this class is being created in;
  190. if it is not set, an attempt to find that module will be made, but if
  191. it fails the class will not be picklable.
  192. `qualname` should be set to the actual location this class can be found
  193. at in its module; by default it is set to the global scope. If this is
  194. not correct, unpickling will fail in some circumstances.
  195. `type`, if set, will be mixed in as the first base class.
  196. """
  197. if names is None: # simple value lookup
  198. return cls.__new__(cls, value)
  199. # otherwise, functional API: we're creating a new Enum type
  200. return cls._create_(value, names, module=module, qualname=qualname, type=type, start=start)
  201. def __contains__(cls, member):
  202. return isinstance(member, cls) and member._name_ in cls._member_map_
  203. def __delattr__(cls, attr):
  204. # nicer error message when someone tries to delete an attribute
  205. # (see issue19025).
  206. if attr in cls._member_map_:
  207. raise AttributeError(
  208. "%s: cannot delete Enum member." % cls.__name__)
  209. super().__delattr__(attr)
  210. def __dir__(self):
  211. return (['__class__', '__doc__', '__members__', '__module__'] +
  212. self._member_names_)
  213. def __getattr__(cls, name):
  214. """Return the enum member matching `name`
  215. We use __getattr__ instead of descriptors or inserting into the enum
  216. class' __dict__ in order to support `name` and `value` being both
  217. properties for enum members (which live in the class' __dict__) and
  218. enum members themselves.
  219. """
  220. if _is_dunder(name):
  221. raise AttributeError(name)
  222. try:
  223. return cls._member_map_[name]
  224. except KeyError:
  225. raise AttributeError(name) from None
  226. def __getitem__(cls, name):
  227. return cls._member_map_[name]
  228. def __iter__(cls):
  229. return (cls._member_map_[name] for name in cls._member_names_)
  230. def __len__(cls):
  231. return len(cls._member_names_)
  232. @property
  233. def __members__(cls):
  234. """Returns a mapping of member name->value.
  235. This mapping lists all enum members, including aliases. Note that this
  236. is a read-only view of the internal mapping.
  237. """
  238. return MappingProxyType(cls._member_map_)
  239. def __repr__(cls):
  240. return "<enum %r>" % cls.__name__
  241. def __reversed__(cls):
  242. return (cls._member_map_[name] for name in reversed(cls._member_names_))
  243. def __setattr__(cls, name, value):
  244. """Block attempts to reassign Enum members.
  245. A simple assignment to the class namespace only changes one of the
  246. several possible ways to get an Enum member from the Enum class,
  247. resulting in an inconsistent Enumeration.
  248. """
  249. member_map = cls.__dict__.get('_member_map_', {})
  250. if name in member_map:
  251. raise AttributeError('Cannot reassign members.')
  252. super().__setattr__(name, value)
  253. def _create_(cls, class_name, names=None, *, module=None, qualname=None, type=None, start=1):
  254. """Convenience method to create a new Enum class.
  255. `names` can be:
  256. * A string containing member names, separated either with spaces or
  257. commas. Values are incremented by 1 from `start`.
  258. * An iterable of member names. Values are incremented by 1 from `start`.
  259. * An iterable of (member name, value) pairs.
  260. * A mapping of member name -> value pairs.
  261. """
  262. metacls = cls.__class__
  263. bases = (cls, ) if type is None else (type, cls)
  264. classdict = metacls.__prepare__(class_name, bases)
  265. # special processing needed for names?
  266. if isinstance(names, str):
  267. names = names.replace(',', ' ').split()
  268. if isinstance(names, (tuple, list)) and isinstance(names[0], str):
  269. names = [(e, i) for (i, e) in enumerate(names, start)]
  270. # Here, names is either an iterable of (name, value) or a mapping.
  271. for item in names:
  272. if isinstance(item, str):
  273. member_name, member_value = item, names[item]
  274. else:
  275. member_name, member_value = item
  276. classdict[member_name] = member_value
  277. enum_class = metacls.__new__(metacls, class_name, bases, classdict)
  278. # TODO: replace the frame hack if a blessed way to know the calling
  279. # module is ever developed
  280. if module is None:
  281. try:
  282. module = sys._getframe(2).f_globals['__name__']
  283. except (AttributeError, ValueError) as exc:
  284. pass
  285. if module is None:
  286. _make_class_unpicklable(enum_class)
  287. else:
  288. enum_class.__module__ = module
  289. if qualname is not None:
  290. enum_class.__qualname__ = qualname
  291. return enum_class
  292. @staticmethod
  293. def _get_mixins_(bases):
  294. """Returns the type for creating enum members, and the first inherited
  295. enum class.
  296. bases: the tuple of bases that was given to __new__
  297. """
  298. if not bases:
  299. return object, Enum
  300. # double check that we are not subclassing a class with existing
  301. # enumeration members; while we're at it, see if any other data
  302. # type has been mixed in so we can use the correct __new__
  303. member_type = first_enum = None
  304. for base in bases:
  305. if (base is not Enum and
  306. issubclass(base, Enum) and
  307. base._member_names_):
  308. raise TypeError("Cannot extend enumerations")
  309. # base is now the last base in bases
  310. if not issubclass(base, Enum):
  311. raise TypeError("new enumerations must be created as "
  312. "`ClassName([mixin_type,] enum_type)`")
  313. # get correct mix-in type (either mix-in type of Enum subclass, or
  314. # first base if last base is Enum)
  315. if not issubclass(bases[0], Enum):
  316. member_type = bases[0] # first data type
  317. first_enum = bases[-1] # enum type
  318. else:
  319. for base in bases[0].__mro__:
  320. # most common: (IntEnum, int, Enum, object)
  321. # possible: (<Enum 'AutoIntEnum'>, <Enum 'IntEnum'>,
  322. # <class 'int'>, <Enum 'Enum'>,
  323. # <class 'object'>)
  324. if issubclass(base, Enum):
  325. if first_enum is None:
  326. first_enum = base
  327. else:
  328. if member_type is None:
  329. member_type = base
  330. return member_type, first_enum
  331. @staticmethod
  332. def _find_new_(classdict, member_type, first_enum):
  333. """Returns the __new__ to be used for creating the enum members.
  334. classdict: the class dictionary given to __new__
  335. member_type: the data type whose __new__ will be used by default
  336. first_enum: enumeration to check for an overriding __new__
  337. """
  338. # now find the correct __new__, checking to see of one was defined
  339. # by the user; also check earlier enum classes in case a __new__ was
  340. # saved as __new_member__
  341. __new__ = classdict.get('__new__', None)
  342. # should __new__ be saved as __new_member__ later?
  343. save_new = __new__ is not None
  344. if __new__ is None:
  345. # check all possibles for __new_member__ before falling back to
  346. # __new__
  347. for method in ('__new_member__', '__new__'):
  348. for possible in (member_type, first_enum):
  349. target = getattr(possible, method, None)
  350. if target not in {
  351. None,
  352. None.__new__,
  353. object.__new__,
  354. Enum.__new__,
  355. }:
  356. __new__ = target
  357. break
  358. if __new__ is not None:
  359. break
  360. else:
  361. __new__ = object.__new__
  362. # if a non-object.__new__ is used then whatever value/tuple was
  363. # assigned to the enum member name will be passed to __new__ and to the
  364. # new enum member's __init__
  365. if __new__ is object.__new__:
  366. use_args = False
  367. else:
  368. use_args = True
  369. return __new__, save_new, use_args
  370. class Enum(metaclass=EnumMeta):
  371. """Generic enumeration.
  372. Derive from this class to define new enumerations.
  373. """
  374. def __new__(cls, value):
  375. # all enum instances are actually created during class construction
  376. # without calling this method; this method is called by the metaclass'
  377. # __call__ (i.e. Color(3) ), and by pickle
  378. if type(value) is cls:
  379. # For lookups like Color(Color.red)
  380. return value
  381. # by-value search for a matching enum member
  382. # see if it's in the reverse mapping (for hashable values)
  383. try:
  384. if value in cls._value2member_map_:
  385. return cls._value2member_map_[value]
  386. except TypeError:
  387. # not there, now do long search -- O(n) behavior
  388. for member in cls._member_map_.values():
  389. if member._value_ == value:
  390. return member
  391. raise ValueError("%r is not a valid %s" % (value, cls.__name__))
  392. def __repr__(self):
  393. return "<%s.%s: %r>" % (
  394. self.__class__.__name__, self._name_, self._value_)
  395. def __str__(self):
  396. return "%s.%s" % (self.__class__.__name__, self._name_)
  397. def __dir__(self):
  398. added_behavior = [
  399. m
  400. for cls in self.__class__.mro()
  401. for m in cls.__dict__
  402. if m[0] != '_' and m not in self._member_map_
  403. ]
  404. return (['__class__', '__doc__', '__module__'] + added_behavior)
  405. def __format__(self, format_spec):
  406. # mixed-in Enums should use the mixed-in type's __format__, otherwise
  407. # we can get strange results with the Enum name showing up instead of
  408. # the value
  409. # pure Enum branch
  410. if self._member_type_ is object:
  411. cls = str
  412. val = str(self)
  413. # mix-in branch
  414. else:
  415. cls = self._member_type_
  416. val = self._value_
  417. return cls.__format__(val, format_spec)
  418. def __hash__(self):
  419. return hash(self._name_)
  420. def __reduce_ex__(self, proto):
  421. return self.__class__, (self._value_, )
  422. # DynamicClassAttribute is used to provide access to the `name` and
  423. # `value` properties of enum members while keeping some measure of
  424. # protection from modification, while still allowing for an enumeration
  425. # to have members named `name` and `value`. This works because enumeration
  426. # members are not set directly on the enum class -- __getattr__ is
  427. # used to look them up.
  428. @DynamicClassAttribute
  429. def name(self):
  430. """The name of the Enum member."""
  431. return self._name_
  432. @DynamicClassAttribute
  433. def value(self):
  434. """The value of the Enum member."""
  435. return self._value_
  436. @classmethod
  437. def _convert(cls, name, module, filter, source=None):
  438. """
  439. Create a new Enum subclass that replaces a collection of global constants
  440. """
  441. # convert all constants from source (or module) that pass filter() to
  442. # a new Enum called name, and export the enum and its members back to
  443. # module;
  444. # also, replace the __reduce_ex__ method so unpickling works in
  445. # previous Python versions
  446. module_globals = vars(sys.modules[module])
  447. if source:
  448. source = vars(source)
  449. else:
  450. source = module_globals
  451. members = {name: value for name, value in source.items()
  452. if filter(name)}
  453. cls = cls(name, members, module=module)
  454. cls.__reduce_ex__ = _reduce_ex_by_name
  455. module_globals.update(cls.__members__)
  456. module_globals[name] = cls
  457. return cls
  458. class IntEnum(int, Enum):
  459. """Enum where members are also (and must be) ints"""
  460. def _reduce_ex_by_name(self, proto):
  461. return self.name
  462. def unique(enumeration):
  463. """Class decorator for enumerations ensuring unique member values."""
  464. duplicates = []
  465. for name, member in enumeration.__members__.items():
  466. if name != member.name:
  467. duplicates.append((name, member.name))
  468. if duplicates:
  469. alias_details = ', '.join(
  470. ["%s -> %s" % (alias, name) for (alias, name) in duplicates])
  471. raise ValueError('duplicate values found in %r: %s' %
  472. (enumeration, alias_details))
  473. return enumeration