Declaring Enumerations

Enumerations in Python are implemented by using the module named “enum“. Enumerations are created using classes. Enums have names and values associated with them.

Properties of enum:

1. Enums can be displayed as string or repr.

2. Enums can be checked for their types using type().

3.name” keyword is used to display the name of the enum member

4. Enumerations are iterable. They can be iterated using loops

5. Enumerations support hashing. Enums can be used in dictionaries or sets

Example:

import enum
class Animal(enum.Enum):
    Dog=1
    Cat=2
    Tiger=3

print(Animal.Dog)
print(type(Animal.Dog))
print(Animal(1))
print(Animal.Dog.value)
print(Animal.Dog.name)
print(repr(Animal.Dog))

Animal.Dog

<enum 'Animal'>

Animal.Dog

1

Dog

<Animal.Dog: 1>

Example 1:

The string representation of enum member is : Animal.dog

The repr representation of enum member is : <Animal.dog: 1>

The type of enum member is : <enum 'Animal'>

The name of enum member is : dog

Example 2:

All the enum values are :

Animal.dog

Animal.cat

Animal.lion

Enum is hashed

Accessing Modes :

Enum members can be accessed by two ways

1. By value :- In this method, the value of enum member is passed.

2. By name :- In this method, the name of enum member is passed.

Seperate value or name can also be accessed using “name” or “value” keyword.

Comparison :

Enumerations supports two types of comparisons

1. Identity :- These are checked using keywords “is” and “is not“.

2. Equality :- Equality comparisons of “==” and “!=” types are also supported.

Example 3:

The enum member associated with value 2 is : Animal.cat

The enum member associated with name lion is : Animal.lion

The value associated with dog is : 1

The name associated with dog is : dog

Dog and cat are different animals

Lions and cat are different

Example 4:

Last updated

Was this helpful?