import uuid
import datetime
import time, calendar
import threading
import random
[docs]def utctime():
"""
Generate a timestamp from the current time in UTC
"""
d = datetime.datetime.utcnow()
return mkutime(d)
[docs]def mkutime(d):
return float(calendar.timegm(d.timetuple())) + float(d.microsecond) / 1e6
class IncreasingMicrosecondClock(object):
"""
A clock that returns a new timestamp value unique across all threads,
acheived by locking a mutex each call and checking the previous value.
"""
def __init__(self, timestamp_factory=utctime, mutex=threading.Lock):
self.timestamp_factory = timestamp_factory
self.mutex = mutex()
self.time = timestamp_factory()
def __call__(self):
with self.mutex:
new_time = self.timestamp_factory()
if new_time > self.time:
self.time = new_time
else:
self.time += .000001
return self.time
[docs]class TimeUUID(uuid.UUID):
"""
A class that makes dealing with time and V1 UUIDs much easiser. Offers
accurate comparison (compares accurately with other TimeUUIDs and UUIDv1),
a way to get TimeUUIDs with UTC-timestamps (instead of the default
localtime), an easy way to get the UTC datetime object from it, and
default encoding and decoding methods.
"""
timestamp_factory = IncreasingMicrosecondClock()
def __repr__(self):
return u"TimeUUID('{}')".format(super(TimeUUID, self).__str__())
def __cmp__(self, other):
# if other isn't a UUID, do whatever it would do WWUUIDD?
if not isinstance(other, uuid.UUID):
return super(TimeUUID, self).__cmp__(other)
if self.version == 1 and other.version == 1:
if self.time == other.time:
return super(TimeUUID, self).__cmp__(other)
else:
return cmp(self.time, other.time)
else:
return super(TimeUUID, self).__cmp__(other)
[docs] def get_datetime(self):
return datetime.datetime.utcfromtimestamp(self.get_timestamp())
[docs] def get_timestamp(self):
return (self.get_time() - 0x01b21dd213814000L) / 1e7
@classmethod
def upgrade(cls, other):
if other is None:
return other
elif isinstance(other, cls):
return other
elif isinstance(other, uuid.UUID):
return cls(hex=other.hex)
raise TypeError("Cannot upgrade %s because it is not a uuid.UUID "
"(it is a '%s')" % (other, other.__class__.__name__))
@classmethod
[docs] def with_utc(cls, d):
"""
Create a TimeUUID with any datetime in UTC. By nature, this generates
a TimeUUID that is not roughly guaranteed to be sequenced correctly.
"""
return cls.with_timestamp(mkutime(d))
@classmethod
[docs] def with_utcnow(cls, randomize=True):
"""
Create a TimeUUID with the current datetime in UTC. Every TimeUUID
generated this way, on this machine, will proceed the TimeUUID generated
before it, by use of a mutex.
"""
return cls.with_timestamp(cls.timestamp_factory(), randomize=randomize)
@classmethod
[docs] def convert(cls, value, randomize=True, lowest_val=False):
"""
Try to convert a number of different types to a TimeUUID. Works for
datetimes, ints (timestamps) and UUIDs.
See :meth:`with_timestamp` for instructions on the randomize/lowest_val
arguments.
"""
if isinstance(value, cls):
return value
if isinstance(value, uuid.UUID):
return cls.upgrade(value)
if isinstance(value, datetime.datetime):
return cls.with_timestamp(mkutime(value), randomize=randomize,
lowest_val=lowest_val)
if isinstance(value, int):
return cls.with_timestamp(value, randomize=randomize,
lowest_val=lowest_val)
raise ValueError("Sorry, I don't know how to convert {} to a "
"TimeUUID".format(value))
@classmethod
[docs] def with_timestamp(cls, timestamp, randomize=True, lowest_val=False):
"""
Create a TimeUUID with any timestamp. Here be dragons. No guarantees.
`randomize` will create a UUID with randomish bits. This overrides
it's counterpart: `lowest_val` If randomize is False and `lowest_val`
is False, it will generate a UUID with the highest possible clock seq
for the same timestamp, otherwise generating a UUID with the *lowest*
possible clock seq for the same timestamp;
`lowest_val` will create a UUID with the lowest possible clock seq if
randomize is False if set to True, otherwise generating the highest
possible
"""
ns = timestamp * 1e9
ts = int(ns // 100) + 0x01b21dd213814000L
time_low = ts & 0xffffffffL
time_mid = (ts >> 32L) & 0xffffL
time_hi_version = (ts >> 48L) & 0x0fffL
if randomize:
cs = random.randrange(1<<14L)
clock_seq_low = cs & 0xffL
clock_seq_hi_variant = (cs >> 8L) & 0x3fL
node = uuid.getnode()
else:
if lowest_val: # uuid with lowest possible clock value
clock_seq_low = 0 & 0xffL
clock_seq_hi_variant = 0 & 0x3fL
node = 0 & 0xffffffffffffL # 48 bits
else: # UUID with highest possible clock value
clock_seq_low = 0xffL
clock_seq_hi_variant = 0x3fL
node = 0xffffffffffffL # 48 bits
return cls(
fields=(time_low, time_mid, time_hi_version,
clock_seq_hi_variant, clock_seq_low, node),
version=1
)