Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Best way to generate a consecutive id in Python

Tags:

python

Given a class that has an attribute self.id I need to populate that attribute with a counter starting at 0 and all objects of that class need a unique id during a single run of the program. What is the best/ most pythonic way of doing this? Currently I use

def _get_id():
    id_ = 0
    while True:
       yield id_
       id_ += 1
get_id = _get_id()

which is defined outside the class and

self.id = get_id.next()

in the class' __init__(). Is there a better way to do this? Can the generator be included in the class?

like image 951
Gerald Senarclens de Grancy Avatar asked Feb 16 '26 12:02

Gerald Senarclens de Grancy


2 Answers

Use itertools.count:

from itertools import count

class MyClass(object):
    id_counter = count().next
    def __init__(self):
        self.id = self.id_counter()
like image 51
agf Avatar answered Feb 19 '26 00:02

agf


Why use iterators / generators at all? They do the job, but isn't it overkill? Whats wrong with

class MyClass(object):
  id_ctr = 0
  def __init__(self):
    self.id = MyClass.id_ctr
    MyClass.id_ctr += 1
like image 27
Matt Warren Avatar answered Feb 19 '26 02:02

Matt Warren



Donate For Us

If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!