1 :mod:`enum` --- Support for enumerations 2 ======================================== 3 4 .. module:: enum 5 :synopsis: Implementation of an enumeration class. 6 7 .. moduleauthor:: Ethan Furman <ethan (a] stoneleaf.us> 8 .. sectionauthor:: Barry Warsaw <barry (a] python.org> 9 .. sectionauthor:: Eli Bendersky <eliben (a] gmail.com> 10 .. sectionauthor:: Ethan Furman <ethan (a] stoneleaf.us> 11 12 .. versionadded:: 3.4 13 14 **Source code:** :source:`Lib/enum.py` 15 16 ---------------- 17 18 An enumeration is a set of symbolic names (members) bound to unique, 19 constant values. Within an enumeration, the members can be compared 20 by identity, and the enumeration itself can be iterated over. 21 22 23 Module Contents 24 --------------- 25 26 This module defines four enumeration classes that can be used to define unique 27 sets of names and values: :class:`Enum`, :class:`IntEnum`, :class:`Flag`, and 28 :class:`IntFlag`. It also defines one decorator, :func:`unique`, and one 29 helper, :class:`auto`. 30 31 .. class:: Enum 32 33 Base class for creating enumerated constants. See section 34 `Functional API`_ for an alternate construction syntax. 35 36 .. class:: IntEnum 37 38 Base class for creating enumerated constants that are also 39 subclasses of :class:`int`. 40 41 .. class:: IntFlag 42 43 Base class for creating enumerated constants that can be combined using 44 the bitwise operators without losing their :class:`IntFlag` membership. 45 :class:`IntFlag` members are also subclasses of :class:`int`. 46 47 .. class:: Flag 48 49 Base class for creating enumerated constants that can be combined using 50 the bitwise operations without losing their :class:`Flag` membership. 51 52 .. function:: unique 53 54 Enum class decorator that ensures only one name is bound to any one value. 55 56 .. class:: auto 57 58 Instances are replaced with an appropriate value for Enum members. 59 60 .. versionadded:: 3.6 ``Flag``, ``IntFlag``, ``auto`` 61 62 63 Creating an Enum 64 ---------------- 65 66 Enumerations are created using the :keyword:`class` syntax, which makes them 67 easy to read and write. An alternative creation method is described in 68 `Functional API`_. To define an enumeration, subclass :class:`Enum` as 69 follows:: 70 71 >>> from enum import Enum 72 >>> class Color(Enum): 73 ... RED = 1 74 ... GREEN = 2 75 ... BLUE = 3 76 ... 77 78 .. note:: Enum member values 79 80 Member values can be anything: :class:`int`, :class:`str`, etc.. If 81 the exact value is unimportant you may use :class:`auto` instances and an 82 appropriate value will be chosen for you. Care must be taken if you mix 83 :class:`auto` with other values. 84 85 .. note:: Nomenclature 86 87 - The class :class:`Color` is an *enumeration* (or *enum*) 88 - The attributes :attr:`Color.RED`, :attr:`Color.GREEN`, etc., are 89 *enumeration members* (or *enum members*) and are functionally constants. 90 - The enum members have *names* and *values* (the name of 91 :attr:`Color.RED` is ``RED``, the value of :attr:`Color.BLUE` is 92 ``3``, etc.) 93 94 .. note:: 95 96 Even though we use the :keyword:`class` syntax to create Enums, Enums 97 are not normal Python classes. See `How are Enums different?`_ for 98 more details. 99 100 Enumeration members have human readable string representations:: 101 102 >>> print(Color.RED) 103 Color.RED 104 105 ...while their ``repr`` has more information:: 106 107 >>> print(repr(Color.RED)) 108 <Color.RED: 1> 109 110 The *type* of an enumeration member is the enumeration it belongs to:: 111 112 >>> type(Color.RED) 113 <enum 'Color'> 114 >>> isinstance(Color.GREEN, Color) 115 True 116 >>> 117 118 Enum members also have a property that contains just their item name:: 119 120 >>> print(Color.RED.name) 121 RED 122 123 Enumerations support iteration, in definition order:: 124 125 >>> class Shake(Enum): 126 ... VANILLA = 7 127 ... CHOCOLATE = 4 128 ... COOKIES = 9 129 ... MINT = 3 130 ... 131 >>> for shake in Shake: 132 ... print(shake) 133 ... 134 Shake.VANILLA 135 Shake.CHOCOLATE 136 Shake.COOKIES 137 Shake.MINT 138 139 Enumeration members are hashable, so they can be used in dictionaries and sets:: 140 141 >>> apples = {} 142 >>> apples[Color.RED] = 'red delicious' 143 >>> apples[Color.GREEN] = 'granny smith' 144 >>> apples == {Color.RED: 'red delicious', Color.GREEN: 'granny smith'} 145 True 146 147 148 Programmatic access to enumeration members and their attributes 149 --------------------------------------------------------------- 150 151 Sometimes it's useful to access members in enumerations programmatically (i.e. 152 situations where ``Color.RED`` won't do because the exact color is not known 153 at program-writing time). ``Enum`` allows such access:: 154 155 >>> Color(1) 156 <Color.RED: 1> 157 >>> Color(3) 158 <Color.BLUE: 3> 159 160 If you want to access enum members by *name*, use item access:: 161 162 >>> Color['RED'] 163 <Color.RED: 1> 164 >>> Color['GREEN'] 165 <Color.GREEN: 2> 166 167 If you have an enum member and need its :attr:`name` or :attr:`value`:: 168 169 >>> member = Color.RED 170 >>> member.name 171 'RED' 172 >>> member.value 173 1 174 175 176 Duplicating enum members and values 177 ----------------------------------- 178 179 Having two enum members with the same name is invalid:: 180 181 >>> class Shape(Enum): 182 ... SQUARE = 2 183 ... SQUARE = 3 184 ... 185 Traceback (most recent call last): 186 ... 187 TypeError: Attempted to reuse key: 'SQUARE' 188 189 However, two enum members are allowed to have the same value. Given two members 190 A and B with the same value (and A defined first), B is an alias to A. By-value 191 lookup of the value of A and B will return A. By-name lookup of B will also 192 return A:: 193 194 >>> class Shape(Enum): 195 ... SQUARE = 2 196 ... DIAMOND = 1 197 ... CIRCLE = 3 198 ... ALIAS_FOR_SQUARE = 2 199 ... 200 >>> Shape.SQUARE 201 <Shape.SQUARE: 2> 202 >>> Shape.ALIAS_FOR_SQUARE 203 <Shape.SQUARE: 2> 204 >>> Shape(2) 205 <Shape.SQUARE: 2> 206 207 .. note:: 208 209 Attempting to create a member with the same name as an already 210 defined attribute (another member, a method, etc.) or attempting to create 211 an attribute with the same name as a member is not allowed. 212 213 214 Ensuring unique enumeration values 215 ---------------------------------- 216 217 By default, enumerations allow multiple names as aliases for the same value. 218 When this behavior isn't desired, the following decorator can be used to 219 ensure each value is used only once in the enumeration: 220 221 .. decorator:: unique 222 223 A :keyword:`class` decorator specifically for enumerations. It searches an 224 enumeration's :attr:`__members__` gathering any aliases it finds; if any are 225 found :exc:`ValueError` is raised with the details:: 226 227 >>> from enum import Enum, unique 228 >>> @unique 229 ... class Mistake(Enum): 230 ... ONE = 1 231 ... TWO = 2 232 ... THREE = 3 233 ... FOUR = 3 234 ... 235 Traceback (most recent call last): 236 ... 237 ValueError: duplicate values found in <enum 'Mistake'>: FOUR -> THREE 238 239 240 Using automatic values 241 ---------------------- 242 243 If the exact value is unimportant you can use :class:`auto`:: 244 245 >>> from enum import Enum, auto 246 >>> class Color(Enum): 247 ... RED = auto() 248 ... BLUE = auto() 249 ... GREEN = auto() 250 ... 251 >>> list(Color) 252 [<Color.RED: 1>, <Color.BLUE: 2>, <Color.GREEN: 3>] 253 254 The values are chosen by :func:`_generate_next_value_`, which can be 255 overridden:: 256 257 >>> class AutoName(Enum): 258 ... def _generate_next_value_(name, start, count, last_values): 259 ... return name 260 ... 261 >>> class Ordinal(AutoName): 262 ... NORTH = auto() 263 ... SOUTH = auto() 264 ... EAST = auto() 265 ... WEST = auto() 266 ... 267 >>> list(Ordinal) 268 [<Ordinal.NORTH: 'NORTH'>, <Ordinal.SOUTH: 'SOUTH'>, <Ordinal.EAST: 'EAST'>, <Ordinal.WEST: 'WEST'>] 269 270 .. note:: 271 272 The goal of the default :meth:`_generate_next_value_` methods is to provide 273 the next :class:`int` in sequence with the last :class:`int` provided, but 274 the way it does this is an implementation detail and may change. 275 276 Iteration 277 --------- 278 279 Iterating over the members of an enum does not provide the aliases:: 280 281 >>> list(Shape) 282 [<Shape.SQUARE: 2>, <Shape.DIAMOND: 1>, <Shape.CIRCLE: 3>] 283 284 The special attribute ``__members__`` is an ordered dictionary mapping names 285 to members. It includes all names defined in the enumeration, including the 286 aliases:: 287 288 >>> for name, member in Shape.__members__.items(): 289 ... name, member 290 ... 291 ('SQUARE', <Shape.SQUARE: 2>) 292 ('DIAMOND', <Shape.DIAMOND: 1>) 293 ('CIRCLE', <Shape.CIRCLE: 3>) 294 ('ALIAS_FOR_SQUARE', <Shape.SQUARE: 2>) 295 296 The ``__members__`` attribute can be used for detailed programmatic access to 297 the enumeration members. For example, finding all the aliases:: 298 299 >>> [name for name, member in Shape.__members__.items() if member.name != name] 300 ['ALIAS_FOR_SQUARE'] 301 302 303 Comparisons 304 ----------- 305 306 Enumeration members are compared by identity:: 307 308 >>> Color.RED is Color.RED 309 True 310 >>> Color.RED is Color.BLUE 311 False 312 >>> Color.RED is not Color.BLUE 313 True 314 315 Ordered comparisons between enumeration values are *not* supported. Enum 316 members are not integers (but see `IntEnum`_ below):: 317 318 >>> Color.RED < Color.BLUE 319 Traceback (most recent call last): 320 File "<stdin>", line 1, in <module> 321 TypeError: '<' not supported between instances of 'Color' and 'Color' 322 323 Equality comparisons are defined though:: 324 325 >>> Color.BLUE == Color.RED 326 False 327 >>> Color.BLUE != Color.RED 328 True 329 >>> Color.BLUE == Color.BLUE 330 True 331 332 Comparisons against non-enumeration values will always compare not equal 333 (again, :class:`IntEnum` was explicitly designed to behave differently, see 334 below):: 335 336 >>> Color.BLUE == 2 337 False 338 339 340 Allowed members and attributes of enumerations 341 ---------------------------------------------- 342 343 The examples above use integers for enumeration values. Using integers is 344 short and handy (and provided by default by the `Functional API`_), but not 345 strictly enforced. In the vast majority of use-cases, one doesn't care what 346 the actual value of an enumeration is. But if the value *is* important, 347 enumerations can have arbitrary values. 348 349 Enumerations are Python classes, and can have methods and special methods as 350 usual. If we have this enumeration:: 351 352 >>> class Mood(Enum): 353 ... FUNKY = 1 354 ... HAPPY = 3 355 ... 356 ... def describe(self): 357 ... # self is the member here 358 ... return self.name, self.value 359 ... 360 ... def __str__(self): 361 ... return 'my custom str! {0}'.format(self.value) 362 ... 363 ... @classmethod 364 ... def favorite_mood(cls): 365 ... # cls here is the enumeration 366 ... return cls.HAPPY 367 ... 368 369 Then:: 370 371 >>> Mood.favorite_mood() 372 <Mood.HAPPY: 3> 373 >>> Mood.HAPPY.describe() 374 ('HAPPY', 3) 375 >>> str(Mood.FUNKY) 376 'my custom str! 1' 377 378 The rules for what is allowed are as follows: names that start and end with 379 a single underscore are reserved by enum and cannot be used; all other 380 attributes defined within an enumeration will become members of this 381 enumeration, with the exception of special methods (:meth:`__str__`, 382 :meth:`__add__`, etc.), descriptors (methods are also descriptors), and 383 variable names listed in :attr:`_ignore_`. 384 385 Note: if your enumeration defines :meth:`__new__` and/or :meth:`__init__` then 386 whatever value(s) were given to the enum member will be passed into those 387 methods. See `Planet`_ for an example. 388 389 390 Restricted Enum subclassing 391 --------------------------- 392 393 A new :class:`Enum` class must have one base Enum class, up to one concrete 394 data type, and as many :class:`object`-based mixin classes as needed. The 395 order of these base classes is:: 396 397 class EnumName([mix-in, ...,] [data-type,] base-enum): 398 pass 399 400 Also, subclassing an enumeration is allowed only if the enumeration does not define 401 any members. So this is forbidden:: 402 403 >>> class MoreColor(Color): 404 ... PINK = 17 405 ... 406 Traceback (most recent call last): 407 ... 408 TypeError: Cannot extend enumerations 409 410 But this is allowed:: 411 412 >>> class Foo(Enum): 413 ... def some_behavior(self): 414 ... pass 415 ... 416 >>> class Bar(Foo): 417 ... HAPPY = 1 418 ... SAD = 2 419 ... 420 421 Allowing subclassing of enums that define members would lead to a violation of 422 some important invariants of types and instances. On the other hand, it makes 423 sense to allow sharing some common behavior between a group of enumerations. 424 (See `OrderedEnum`_ for an example.) 425 426 427 Pickling 428 -------- 429 430 Enumerations can be pickled and unpickled:: 431 432 >>> from test.test_enum import Fruit 433 >>> from pickle import dumps, loads 434 >>> Fruit.TOMATO is loads(dumps(Fruit.TOMATO)) 435 True 436 437 The usual restrictions for pickling apply: picklable enums must be defined in 438 the top level of a module, since unpickling requires them to be importable 439 from that module. 440 441 .. note:: 442 443 With pickle protocol version 4 it is possible to easily pickle enums 444 nested in other classes. 445 446 It is possible to modify how Enum members are pickled/unpickled by defining 447 :meth:`__reduce_ex__` in the enumeration class. 448 449 450 Functional API 451 -------------- 452 453 The :class:`Enum` class is callable, providing the following functional API:: 454 455 >>> Animal = Enum('Animal', 'ANT BEE CAT DOG') 456 >>> Animal 457 <enum 'Animal'> 458 >>> Animal.ANT 459 <Animal.ANT: 1> 460 >>> Animal.ANT.value 461 1 462 >>> list(Animal) 463 [<Animal.ANT: 1>, <Animal.BEE: 2>, <Animal.CAT: 3>, <Animal.DOG: 4>] 464 465 The semantics of this API resemble :class:`~collections.namedtuple`. The first 466 argument of the call to :class:`Enum` is the name of the enumeration. 467 468 The second argument is the *source* of enumeration member names. It can be a 469 whitespace-separated string of names, a sequence of names, a sequence of 470 2-tuples with key/value pairs, or a mapping (e.g. dictionary) of names to 471 values. The last two options enable assigning arbitrary values to 472 enumerations; the others auto-assign increasing integers starting with 1 (use 473 the ``start`` parameter to specify a different starting value). A 474 new class derived from :class:`Enum` is returned. In other words, the above 475 assignment to :class:`Animal` is equivalent to:: 476 477 >>> class Animal(Enum): 478 ... ANT = 1 479 ... BEE = 2 480 ... CAT = 3 481 ... DOG = 4 482 ... 483 484 The reason for defaulting to ``1`` as the starting number and not ``0`` is 485 that ``0`` is ``False`` in a boolean sense, but enum members all evaluate 486 to ``True``. 487 488 Pickling enums created with the functional API can be tricky as frame stack 489 implementation details are used to try and figure out which module the 490 enumeration is being created in (e.g. it will fail if you use a utility 491 function in separate module, and also may not work on IronPython or Jython). 492 The solution is to specify the module name explicitly as follows:: 493 494 >>> Animal = Enum('Animal', 'ANT BEE CAT DOG', module=__name__) 495 496 .. warning:: 497 498 If ``module`` is not supplied, and Enum cannot determine what it is, 499 the new Enum members will not be unpicklable; to keep errors closer to 500 the source, pickling will be disabled. 501 502 The new pickle protocol 4 also, in some circumstances, relies on 503 :attr:`~definition.__qualname__` being set to the location where pickle will be able 504 to find the class. For example, if the class was made available in class 505 SomeData in the global scope:: 506 507 >>> Animal = Enum('Animal', 'ANT BEE CAT DOG', qualname='SomeData.Animal') 508 509 The complete signature is:: 510 511 Enum(value='NewEnumName', names=<...>, *, module='...', qualname='...', type=<mixed-in class>, start=1) 512 513 :value: What the new Enum class will record as its name. 514 515 :names: The Enum members. This can be a whitespace or comma separated string 516 (values will start at 1 unless otherwise specified):: 517 518 'RED GREEN BLUE' | 'RED,GREEN,BLUE' | 'RED, GREEN, BLUE' 519 520 or an iterator of names:: 521 522 ['RED', 'GREEN', 'BLUE'] 523 524 or an iterator of (name, value) pairs:: 525 526 [('CYAN', 4), ('MAGENTA', 5), ('YELLOW', 6)] 527 528 or a mapping:: 529 530 {'CHARTREUSE': 7, 'SEA_GREEN': 11, 'ROSEMARY': 42} 531 532 :module: name of module where new Enum class can be found. 533 534 :qualname: where in module new Enum class can be found. 535 536 :type: type to mix in to new Enum class. 537 538 :start: number to start counting at if only names are passed in. 539 540 .. versionchanged:: 3.5 541 The *start* parameter was added. 542 543 544 Derived Enumerations 545 -------------------- 546 547 IntEnum 548 ^^^^^^^ 549 550 The first variation of :class:`Enum` that is provided is also a subclass of 551 :class:`int`. Members of an :class:`IntEnum` can be compared to integers; 552 by extension, integer enumerations of different types can also be compared 553 to each other:: 554 555 >>> from enum import IntEnum 556 >>> class Shape(IntEnum): 557 ... CIRCLE = 1 558 ... SQUARE = 2 559 ... 560 >>> class Request(IntEnum): 561 ... POST = 1 562 ... GET = 2 563 ... 564 >>> Shape == 1 565 False 566 >>> Shape.CIRCLE == 1 567 True 568 >>> Shape.CIRCLE == Request.POST 569 True 570 571 However, they still can't be compared to standard :class:`Enum` enumerations:: 572 573 >>> class Shape(IntEnum): 574 ... CIRCLE = 1 575 ... SQUARE = 2 576 ... 577 >>> class Color(Enum): 578 ... RED = 1 579 ... GREEN = 2 580 ... 581 >>> Shape.CIRCLE == Color.RED 582 False 583 584 :class:`IntEnum` values behave like integers in other ways you'd expect:: 585 586 >>> int(Shape.CIRCLE) 587 1 588 >>> ['a', 'b', 'c'][Shape.CIRCLE] 589 'b' 590 >>> [i for i in range(Shape.SQUARE)] 591 [0, 1] 592 593 594 IntFlag 595 ^^^^^^^ 596 597 The next variation of :class:`Enum` provided, :class:`IntFlag`, is also based 598 on :class:`int`. The difference being :class:`IntFlag` members can be combined 599 using the bitwise operators (&, \|, ^, ~) and the result is still an 600 :class:`IntFlag` member. However, as the name implies, :class:`IntFlag` 601 members also subclass :class:`int` and can be used wherever an :class:`int` is 602 used. Any operation on an :class:`IntFlag` member besides the bit-wise 603 operations will lose the :class:`IntFlag` membership. 604 605 .. versionadded:: 3.6 606 607 Sample :class:`IntFlag` class:: 608 609 >>> from enum import IntFlag 610 >>> class Perm(IntFlag): 611 ... R = 4 612 ... W = 2 613 ... X = 1 614 ... 615 >>> Perm.R | Perm.W 616 <Perm.R|W: 6> 617 >>> Perm.R + Perm.W 618 6 619 >>> RW = Perm.R | Perm.W 620 >>> Perm.R in RW 621 True 622 623 It is also possible to name the combinations:: 624 625 >>> class Perm(IntFlag): 626 ... R = 4 627 ... W = 2 628 ... X = 1 629 ... RWX = 7 630 >>> Perm.RWX 631 <Perm.RWX: 7> 632 >>> ~Perm.RWX 633 <Perm.-8: -8> 634 635 Another important difference between :class:`IntFlag` and :class:`Enum` is that 636 if no flags are set (the value is 0), its boolean evaluation is :data:`False`:: 637 638 >>> Perm.R & Perm.X 639 <Perm.0: 0> 640 >>> bool(Perm.R & Perm.X) 641 False 642 643 Because :class:`IntFlag` members are also subclasses of :class:`int` they can 644 be combined with them:: 645 646 >>> Perm.X | 8 647 <Perm.8|X: 9> 648 649 650 Flag 651 ^^^^ 652 653 The last variation is :class:`Flag`. Like :class:`IntFlag`, :class:`Flag` 654 members can be combined using the bitwise operators (&, \|, ^, ~). Unlike 655 :class:`IntFlag`, they cannot be combined with, nor compared against, any 656 other :class:`Flag` enumeration, nor :class:`int`. While it is possible to 657 specify the values directly it is recommended to use :class:`auto` as the 658 value and let :class:`Flag` select an appropriate value. 659 660 .. versionadded:: 3.6 661 662 Like :class:`IntFlag`, if a combination of :class:`Flag` members results in no 663 flags being set, the boolean evaluation is :data:`False`:: 664 665 >>> from enum import Flag, auto 666 >>> class Color(Flag): 667 ... RED = auto() 668 ... BLUE = auto() 669 ... GREEN = auto() 670 ... 671 >>> Color.RED & Color.GREEN 672 <Color.0: 0> 673 >>> bool(Color.RED & Color.GREEN) 674 False 675 676 Individual flags should have values that are powers of two (1, 2, 4, 8, ...), 677 while combinations of flags won't:: 678 679 >>> class Color(Flag): 680 ... RED = auto() 681 ... BLUE = auto() 682 ... GREEN = auto() 683 ... WHITE = RED | BLUE | GREEN 684 ... 685 >>> Color.WHITE 686 <Color.WHITE: 7> 687 688 Giving a name to the "no flags set" condition does not change its boolean 689 value:: 690 691 >>> class Color(Flag): 692 ... BLACK = 0 693 ... RED = auto() 694 ... BLUE = auto() 695 ... GREEN = auto() 696 ... 697 >>> Color.BLACK 698 <Color.BLACK: 0> 699 >>> bool(Color.BLACK) 700 False 701 702 .. note:: 703 704 For the majority of new code, :class:`Enum` and :class:`Flag` are strongly 705 recommended, since :class:`IntEnum` and :class:`IntFlag` break some 706 semantic promises of an enumeration (by being comparable to integers, and 707 thus by transitivity to other unrelated enumerations). :class:`IntEnum` 708 and :class:`IntFlag` should be used only in cases where :class:`Enum` and 709 :class:`Flag` will not do; for example, when integer constants are replaced 710 with enumerations, or for interoperability with other systems. 711 712 713 Others 714 ^^^^^^ 715 716 While :class:`IntEnum` is part of the :mod:`enum` module, it would be very 717 simple to implement independently:: 718 719 class IntEnum(int, Enum): 720 pass 721 722 This demonstrates how similar derived enumerations can be defined; for example 723 a :class:`StrEnum` that mixes in :class:`str` instead of :class:`int`. 724 725 Some rules: 726 727 1. When subclassing :class:`Enum`, mix-in types must appear before 728 :class:`Enum` itself in the sequence of bases, as in the :class:`IntEnum` 729 example above. 730 2. While :class:`Enum` can have members of any type, once you mix in an 731 additional type, all the members must have values of that type, e.g. 732 :class:`int` above. This restriction does not apply to mix-ins which only 733 add methods and don't specify another data type such as :class:`int` or 734 :class:`str`. 735 3. When another data type is mixed in, the :attr:`value` attribute is *not the 736 same* as the enum member itself, although it is equivalent and will compare 737 equal. 738 4. %-style formatting: `%s` and `%r` call the :class:`Enum` class's 739 :meth:`__str__` and :meth:`__repr__` respectively; other codes (such as 740 `%i` or `%h` for IntEnum) treat the enum member as its mixed-in type. 741 5. :ref:`Formatted string literals <f-strings>`, :meth:`str.format`, 742 and :func:`format` will use the mixed-in 743 type's :meth:`__format__`. If the :class:`Enum` class's :func:`str` or 744 :func:`repr` is desired, use the `!s` or `!r` format codes. 745 746 747 Interesting examples 748 -------------------- 749 750 While :class:`Enum`, :class:`IntEnum`, :class:`IntFlag`, and :class:`Flag` are 751 expected to cover the majority of use-cases, they cannot cover them all. Here 752 are recipes for some different types of enumerations that can be used directly, 753 or as examples for creating one's own. 754 755 756 Omitting values 757 ^^^^^^^^^^^^^^^ 758 759 In many use-cases one doesn't care what the actual value of an enumeration 760 is. There are several ways to define this type of simple enumeration: 761 762 - use instances of :class:`auto` for the value 763 - use instances of :class:`object` as the value 764 - use a descriptive string as the value 765 - use a tuple as the value and a custom :meth:`__new__` to replace the 766 tuple with an :class:`int` value 767 768 Using any of these methods signifies to the user that these values are not 769 important, and also enables one to add, remove, or reorder members without 770 having to renumber the remaining members. 771 772 Whichever method you choose, you should provide a :meth:`repr` that also hides 773 the (unimportant) value:: 774 775 >>> class NoValue(Enum): 776 ... def __repr__(self): 777 ... return '<%s.%s>' % (self.__class__.__name__, self.name) 778 ... 779 780 781 Using :class:`auto` 782 """"""""""""""""""" 783 784 Using :class:`auto` would look like:: 785 786 >>> class Color(NoValue): 787 ... RED = auto() 788 ... BLUE = auto() 789 ... GREEN = auto() 790 ... 791 >>> Color.GREEN 792 <Color.GREEN> 793 794 795 Using :class:`object` 796 """"""""""""""""""""" 797 798 Using :class:`object` would look like:: 799 800 >>> class Color(NoValue): 801 ... RED = object() 802 ... GREEN = object() 803 ... BLUE = object() 804 ... 805 >>> Color.GREEN 806 <Color.GREEN> 807 808 809 Using a descriptive string 810 """""""""""""""""""""""""" 811 812 Using a string as the value would look like:: 813 814 >>> class Color(NoValue): 815 ... RED = 'stop' 816 ... GREEN = 'go' 817 ... BLUE = 'too fast!' 818 ... 819 >>> Color.GREEN 820 <Color.GREEN> 821 >>> Color.GREEN.value 822 'go' 823 824 825 Using a custom :meth:`__new__` 826 """""""""""""""""""""""""""""" 827 828 Using an auto-numbering :meth:`__new__` would look like:: 829 830 >>> class AutoNumber(NoValue): 831 ... def __new__(cls): 832 ... value = len(cls.__members__) + 1 833 ... obj = object.__new__(cls) 834 ... obj._value_ = value 835 ... return obj 836 ... 837 >>> class Color(AutoNumber): 838 ... RED = () 839 ... GREEN = () 840 ... BLUE = () 841 ... 842 >>> Color.GREEN 843 <Color.GREEN> 844 >>> Color.GREEN.value 845 2 846 847 848 .. note:: 849 850 The :meth:`__new__` method, if defined, is used during creation of the Enum 851 members; it is then replaced by Enum's :meth:`__new__` which is used after 852 class creation for lookup of existing members. 853 854 855 OrderedEnum 856 ^^^^^^^^^^^ 857 858 An ordered enumeration that is not based on :class:`IntEnum` and so maintains 859 the normal :class:`Enum` invariants (such as not being comparable to other 860 enumerations):: 861 862 >>> class OrderedEnum(Enum): 863 ... def __ge__(self, other): 864 ... if self.__class__ is other.__class__: 865 ... return self.value >= other.value 866 ... return NotImplemented 867 ... def __gt__(self, other): 868 ... if self.__class__ is other.__class__: 869 ... return self.value > other.value 870 ... return NotImplemented 871 ... def __le__(self, other): 872 ... if self.__class__ is other.__class__: 873 ... return self.value <= other.value 874 ... return NotImplemented 875 ... def __lt__(self, other): 876 ... if self.__class__ is other.__class__: 877 ... return self.value < other.value 878 ... return NotImplemented 879 ... 880 >>> class Grade(OrderedEnum): 881 ... A = 5 882 ... B = 4 883 ... C = 3 884 ... D = 2 885 ... F = 1 886 ... 887 >>> Grade.C < Grade.A 888 True 889 890 891 DuplicateFreeEnum 892 ^^^^^^^^^^^^^^^^^ 893 894 Raises an error if a duplicate member name is found instead of creating an 895 alias:: 896 897 >>> class DuplicateFreeEnum(Enum): 898 ... def __init__(self, *args): 899 ... cls = self.__class__ 900 ... if any(self.value == e.value for e in cls): 901 ... a = self.name 902 ... e = cls(self.value).name 903 ... raise ValueError( 904 ... "aliases not allowed in DuplicateFreeEnum: %r --> %r" 905 ... % (a, e)) 906 ... 907 >>> class Color(DuplicateFreeEnum): 908 ... RED = 1 909 ... GREEN = 2 910 ... BLUE = 3 911 ... GRENE = 2 912 ... 913 Traceback (most recent call last): 914 ... 915 ValueError: aliases not allowed in DuplicateFreeEnum: 'GRENE' --> 'GREEN' 916 917 .. note:: 918 919 This is a useful example for subclassing Enum to add or change other 920 behaviors as well as disallowing aliases. If the only desired change is 921 disallowing aliases, the :func:`unique` decorator can be used instead. 922 923 924 Planet 925 ^^^^^^ 926 927 If :meth:`__new__` or :meth:`__init__` is defined the value of the enum member 928 will be passed to those methods:: 929 930 >>> class Planet(Enum): 931 ... MERCURY = (3.303e+23, 2.4397e6) 932 ... VENUS = (4.869e+24, 6.0518e6) 933 ... EARTH = (5.976e+24, 6.37814e6) 934 ... MARS = (6.421e+23, 3.3972e6) 935 ... JUPITER = (1.9e+27, 7.1492e7) 936 ... SATURN = (5.688e+26, 6.0268e7) 937 ... URANUS = (8.686e+25, 2.5559e7) 938 ... NEPTUNE = (1.024e+26, 2.4746e7) 939 ... def __init__(self, mass, radius): 940 ... self.mass = mass # in kilograms 941 ... self.radius = radius # in meters 942 ... @property 943 ... def surface_gravity(self): 944 ... # universal gravitational constant (m3 kg-1 s-2) 945 ... G = 6.67300E-11 946 ... return G * self.mass / (self.radius * self.radius) 947 ... 948 >>> Planet.EARTH.value 949 (5.976e+24, 6378140.0) 950 >>> Planet.EARTH.surface_gravity 951 9.802652743337129 952 953 954 TimePeriod 955 ^^^^^^^^^^ 956 957 An example to show the :attr:`_ignore_` attribute in use:: 958 959 >>> from datetime import timedelta 960 >>> class Period(timedelta, Enum): 961 ... "different lengths of time" 962 ... _ignore_ = 'Period i' 963 ... Period = vars() 964 ... for i in range(367): 965 ... Period['day_%d' % i] = i 966 ... 967 >>> list(Period)[:2] 968 [<Period.day_0: datetime.timedelta(0)>, <Period.day_1: datetime.timedelta(days=1)>] 969 >>> list(Period)[-2:] 970 [<Period.day_365: datetime.timedelta(days=365)>, <Period.day_366: datetime.timedelta(days=366)>] 971 972 973 How are Enums different? 974 ------------------------ 975 976 Enums have a custom metaclass that affects many aspects of both derived Enum 977 classes and their instances (members). 978 979 980 Enum Classes 981 ^^^^^^^^^^^^ 982 983 The :class:`EnumMeta` metaclass is responsible for providing the 984 :meth:`__contains__`, :meth:`__dir__`, :meth:`__iter__` and other methods that 985 allow one to do things with an :class:`Enum` class that fail on a typical 986 class, such as `list(Color)` or `some_enum_var in Color`. :class:`EnumMeta` is 987 responsible for ensuring that various other methods on the final :class:`Enum` 988 class are correct (such as :meth:`__new__`, :meth:`__getnewargs__`, 989 :meth:`__str__` and :meth:`__repr__`). 990 991 992 Enum Members (aka instances) 993 ^^^^^^^^^^^^^^^^^^^^^^^^^^^^ 994 995 The most interesting thing about Enum members is that they are singletons. 996 :class:`EnumMeta` creates them all while it is creating the :class:`Enum` 997 class itself, and then puts a custom :meth:`__new__` in place to ensure 998 that no new ones are ever instantiated by returning only the existing 999 member instances. 1000 1001 1002 Finer Points 1003 ^^^^^^^^^^^^ 1004 1005 Supported ``__dunder__`` names 1006 """""""""""""""""""""""""""""" 1007 1008 :attr:`__members__` is an :class:`OrderedDict` of ``member_name``:``member`` 1009 items. It is only available on the class. 1010 1011 :meth:`__new__`, if specified, must create and return the enum members; it is 1012 also a very good idea to set the member's :attr:`_value_` appropriately. Once 1013 all the members are created it is no longer used. 1014 1015 1016 Supported ``_sunder_`` names 1017 """""""""""""""""""""""""""" 1018 1019 - ``_name_`` -- name of the member 1020 - ``_value_`` -- value of the member; can be set / modified in ``__new__`` 1021 1022 - ``_missing_`` -- a lookup function used when a value is not found; may be 1023 overridden 1024 - ``_ignore_`` -- a list of names, either as a :func:`list` or a :func:`str`, 1025 that will not be transformed into members, and will be removed from the final 1026 class 1027 - ``_order_`` -- used in Python 2/3 code to ensure member order is consistent 1028 (class attribute, removed during class creation) 1029 - ``_generate_next_value_`` -- used by the `Functional API`_ and by 1030 :class:`auto` to get an appropriate value for an enum member; may be 1031 overridden 1032 1033 .. versionadded:: 3.6 ``_missing_``, ``_order_``, ``_generate_next_value_`` 1034 .. versionadded:: 3.7 ``_ignore_`` 1035 1036 To help keep Python 2 / Python 3 code in sync an :attr:`_order_` attribute can 1037 be provided. It will be checked against the actual order of the enumeration 1038 and raise an error if the two do not match:: 1039 1040 >>> class Color(Enum): 1041 ... _order_ = 'RED GREEN BLUE' 1042 ... RED = 1 1043 ... BLUE = 3 1044 ... GREEN = 2 1045 ... 1046 Traceback (most recent call last): 1047 ... 1048 TypeError: member order does not match _order_ 1049 1050 .. note:: 1051 1052 In Python 2 code the :attr:`_order_` attribute is necessary as definition 1053 order is lost before it can be recorded. 1054 1055 ``Enum`` member type 1056 """""""""""""""""""" 1057 1058 :class:`Enum` members are instances of their :class:`Enum` class, and are 1059 normally accessed as ``EnumClass.member``. Under certain circumstances they 1060 can also be accessed as ``EnumClass.member.member``, but you should never do 1061 this as that lookup may fail or, worse, return something besides the 1062 :class:`Enum` member you are looking for (this is another good reason to use 1063 all-uppercase names for members):: 1064 1065 >>> class FieldTypes(Enum): 1066 ... name = 0 1067 ... value = 1 1068 ... size = 2 1069 ... 1070 >>> FieldTypes.value.size 1071 <FieldTypes.size: 2> 1072 >>> FieldTypes.size.value 1073 2 1074 1075 .. versionchanged:: 3.5 1076 1077 1078 Boolean value of ``Enum`` classes and members 1079 """"""""""""""""""""""""""""""""""""""""""""" 1080 1081 :class:`Enum` members that are mixed with non-:class:`Enum` types (such as 1082 :class:`int`, :class:`str`, etc.) are evaluated according to the mixed-in 1083 type's rules; otherwise, all members evaluate as :data:`True`. To make your 1084 own Enum's boolean evaluation depend on the member's value add the following to 1085 your class:: 1086 1087 def __bool__(self): 1088 return bool(self.value) 1089 1090 :class:`Enum` classes always evaluate as :data:`True`. 1091 1092 1093 ``Enum`` classes with methods 1094 """"""""""""""""""""""""""""" 1095 1096 If you give your :class:`Enum` subclass extra methods, like the `Planet`_ 1097 class above, those methods will show up in a :func:`dir` of the member, 1098 but not of the class:: 1099 1100 >>> dir(Planet) 1101 ['EARTH', 'JUPITER', 'MARS', 'MERCURY', 'NEPTUNE', 'SATURN', 'URANUS', 'VENUS', '__class__', '__doc__', '__members__', '__module__'] 1102 >>> dir(Planet.EARTH) 1103 ['__class__', '__doc__', '__module__', 'name', 'surface_gravity', 'value'] 1104 1105 1106 Combining members of ``Flag`` 1107 """"""""""""""""""""""""""""" 1108 1109 If a combination of Flag members is not named, the :func:`repr` will include 1110 all named flags and all named combinations of flags that are in the value:: 1111 1112 >>> class Color(Flag): 1113 ... RED = auto() 1114 ... GREEN = auto() 1115 ... BLUE = auto() 1116 ... MAGENTA = RED | BLUE 1117 ... YELLOW = RED | GREEN 1118 ... CYAN = GREEN | BLUE 1119 ... 1120 >>> Color(3) # named combination 1121 <Color.YELLOW: 3> 1122 >>> Color(7) # not named combination 1123 <Color.CYAN|MAGENTA|BLUE|YELLOW|GREEN|RED: 7> 1124 1125