I want to create a class wherein each object of the class is given a unique sequential ID starting at 0. I also want each subclass to have sequential IDs starting at 0 as well, with numbering unaffected by parent or sibling classes.
Using the answer to a similar question, I've created the class Foo
class Foo:
id_iter = itertools.count()
def __init__(self):
self.id = next(self.id_iter)
All instances of Foo will have a sequential id value. I also want to create a class Bar that inherits from Foo such that
>>> Foo().id
0
>>> Foo().id
1
>>> Foo().id
2
>>> Bar().id # The first Bar id starts at 0 rather than 3
0
If I create Bar like:
class Bar(Foo):
def __init__(self):
super(Bar, self).__init__()
The above call to Bar().id would return 3 because both classes are using the same iterator. Alternatively, I could add id_iter = itertools.count() back into my Bar definition and get the output I'm expecting. However, I'm making multiple subclasses of Foo, and don't want to have to add that line to each class; I want all subclasses of Foo to automatically inherit the ID functionality without having to add anything extra to the subclass definition. How can I achieve this?