/usr/lib/python2.7/dist-packages/freezegun/api.py is in python-freezegun 0.3.7-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 | import datetime
import functools
import inspect
import sys
import time
import calendar
import unittest
import platform
from dateutil import parser
real_time = time.time
real_localtime = time.localtime
real_gmtime = time.gmtime
real_strftime = time.strftime
real_date = datetime.date
real_datetime = datetime.datetime
try:
import copy_reg as copyreg
except ImportError:
import copyreg
# Stolen from six
def with_metaclass(meta, *bases):
"""Create a base class with a metaclass."""
return meta("NewBase", bases, {})
_is_cpython = (
hasattr(platform, 'python_implementation') and
platform.python_implementation().lower() == "cpython"
)
class FakeTime(object):
def __init__(self, time_to_freeze, previous_time_function):
self.time_to_freeze = time_to_freeze
self.previous_time_function = previous_time_function
def __call__(self):
current_time = self.time_to_freeze()
return calendar.timegm(current_time.timetuple()) + current_time.microsecond / 1000000.0
class FakeLocalTime(object):
def __init__(self, time_to_freeze, previous_localtime_function=None):
self.time_to_freeze = time_to_freeze
self.previous_localtime_function = previous_localtime_function
def __call__(self, t=None):
if t is not None:
return real_localtime(t)
shifted_time = self.time_to_freeze() - datetime.timedelta(seconds=time.timezone)
return shifted_time.timetuple()
class FakeGMTTime(object):
def __init__(self, time_to_freeze, previous_gmtime_function):
self.time_to_freeze = time_to_freeze
self.previous_gmtime_function = previous_gmtime_function
def __call__(self, t=None):
if t is not None:
return real_gmtime(t)
return self.time_to_freeze().timetuple()
class FakeStrfTime(object):
def __init__(self, time_to_freeze, previous_strftime_function):
self.time_to_freeze = time_to_freeze
self.previous_strftime_function = previous_strftime_function
def __call__(self, format, time_to_format=None):
if time_to_format is None:
time_to_format = FakeLocalTime(self.time_to_freeze)()
return real_strftime(format, time_to_format)
class FakeDateMeta(type):
@classmethod
def __instancecheck__(self, obj):
return isinstance(obj, real_date)
def datetime_to_fakedatetime(datetime):
return FakeDatetime(datetime.year,
datetime.month,
datetime.day,
datetime.hour,
datetime.minute,
datetime.second,
datetime.microsecond,
datetime.tzinfo)
def date_to_fakedate(date):
return FakeDate(date.year,
date.month,
date.day)
class FakeDate(with_metaclass(FakeDateMeta, real_date)):
dates_to_freeze = []
tz_offsets = []
def __new__(cls, *args, **kwargs):
return real_date.__new__(cls, *args, **kwargs)
def __add__(self, other):
result = real_date.__add__(self, other)
if result is NotImplemented:
return result
return date_to_fakedate(result)
def __sub__(self, other):
result = real_date.__sub__(self, other)
if result is NotImplemented:
return result
if isinstance(result, real_date):
return date_to_fakedate(result)
else:
return result
@classmethod
def today(cls):
result = cls._date_to_freeze() + datetime.timedelta(hours=cls._tz_offset())
return date_to_fakedate(result)
@classmethod
def _date_to_freeze(cls):
return cls.dates_to_freeze[-1]()
@classmethod
def _tz_offset(cls):
return cls.tz_offsets[-1]
FakeDate.min = date_to_fakedate(real_date.min)
FakeDate.max = date_to_fakedate(real_date.max)
class FakeDatetimeMeta(FakeDateMeta):
@classmethod
def __instancecheck__(self, obj):
return isinstance(obj, real_datetime)
class FakeDatetime(with_metaclass(FakeDatetimeMeta, real_datetime, FakeDate)):
times_to_freeze = []
tz_offsets = []
def __new__(cls, *args, **kwargs):
return real_datetime.__new__(cls, *args, **kwargs)
def __add__(self, other):
result = real_datetime.__add__(self, other)
if result is NotImplemented:
return result
return datetime_to_fakedatetime(result)
def __sub__(self, other):
result = real_datetime.__sub__(self, other)
if result is NotImplemented:
return result
if isinstance(result, real_datetime):
return datetime_to_fakedatetime(result)
else:
return result
def astimezone(self, tz):
return datetime_to_fakedatetime(real_datetime.astimezone(self, tz))
@classmethod
def now(cls, tz=None):
if tz:
result = tz.fromutc(cls._time_to_freeze().replace(tzinfo=tz)) + datetime.timedelta(hours=cls._tz_offset())
else:
result = cls._time_to_freeze() + datetime.timedelta(hours=cls._tz_offset())
return datetime_to_fakedatetime(result)
def date(self):
return date_to_fakedate(self)
@classmethod
def today(cls):
return cls.now(tz=None)
@classmethod
def utcnow(cls):
result = cls._time_to_freeze()
return datetime_to_fakedatetime(result)
@classmethod
def _time_to_freeze(cls):
return cls.times_to_freeze[-1]()
@classmethod
def _tz_offset(cls):
return cls.tz_offsets[-1]
FakeDatetime.min = datetime_to_fakedatetime(real_datetime.min)
FakeDatetime.max = datetime_to_fakedatetime(real_datetime.max)
def convert_to_timezone_naive(time_to_freeze):
"""
Converts a potentially timezone-aware datetime to be a naive UTC datetime
"""
if time_to_freeze.tzinfo:
time_to_freeze -= time_to_freeze.utcoffset()
time_to_freeze = time_to_freeze.replace(tzinfo=None)
return time_to_freeze
def pickle_fake_date(datetime_):
# A pickle function for FakeDate
return FakeDate, (
datetime_.year,
datetime_.month,
datetime_.day,
)
def pickle_fake_datetime(datetime_):
# A pickle function for FakeDatetime
return FakeDatetime, (
datetime_.year,
datetime_.month,
datetime_.day,
datetime_.hour,
datetime_.minute,
datetime_.second,
datetime_.microsecond,
datetime_.tzinfo,
)
class TickingDateTimeFactory(object):
def __init__(self, time_to_freeze, start):
self.time_to_freeze = time_to_freeze
self.start = start
def __call__(self):
return self.time_to_freeze + (real_datetime.now() - self.start)
class FrozenDateTimeFactory(object):
def __init__(self, time_to_freeze):
self.time_to_freeze = time_to_freeze
def __call__(self):
return self.time_to_freeze
def tick(self, delta=datetime.timedelta(seconds=1)):
self.time_to_freeze += delta
class _freeze_time(object):
def __init__(self, time_to_freeze_str, tz_offset, ignore, tick):
if time_to_freeze_str is None:
time_to_freeze = datetime.datetime.utcnow()
if isinstance(time_to_freeze_str, datetime.datetime):
time_to_freeze = time_to_freeze_str
elif isinstance(time_to_freeze_str, datetime.date):
time_to_freeze = datetime.datetime.combine(time_to_freeze_str, datetime.time())
else:
time_to_freeze = parser.parse(time_to_freeze_str)
time_to_freeze = convert_to_timezone_naive(time_to_freeze)
self.time_to_freeze = time_to_freeze
self.tz_offset = tz_offset
self.ignore = tuple(ignore)
self.tick = tick
self.undo_changes = []
self.modules_at_start = set()
def __call__(self, func):
if inspect.isclass(func):
return self.decorate_class(func)
return self.decorate_callable(func)
def decorate_class(self, klass):
if issubclass(klass, unittest.TestCase):
# If it's a TestCase, we assume you want to freeze the time for the
# tests, from setUpClass to tearDownClass
# Use getattr as in Python 2.6 they are optional
orig_setUpClass = getattr(klass, 'setUpClass', None)
orig_tearDownClass = getattr(klass, 'tearDownClass', None)
@classmethod
def setUpClass(cls):
self.start()
if orig_setUpClass is not None:
orig_setUpClass()
@classmethod
def tearDownClass(cls):
if orig_tearDownClass is not None:
orig_tearDownClass()
self.stop()
klass.setUpClass = setUpClass
klass.tearDownClass = tearDownClass
return klass
else:
seen = set()
for base_klass in klass.mro():
for (attr, attr_value) in base_klass.__dict__.items():
if attr.startswith('_') or attr in seen:
continue
seen.add(attr)
if not callable(attr_value) or inspect.isclass(attr_value):
continue
try:
setattr(klass, attr, self(attr_value))
except (AttributeError, TypeError):
# Sometimes we can't set this for built-in types and custom callables
continue
return klass
def __enter__(self):
return self.start()
def __exit__(self, *args):
self.stop()
def start(self):
if self.tick:
time_to_freeze = TickingDateTimeFactory(self.time_to_freeze, real_datetime.now())
else:
time_to_freeze = FrozenDateTimeFactory(self.time_to_freeze)
# Change the modules
datetime.datetime = FakeDatetime
datetime.date = FakeDate
fake_time = FakeTime(time_to_freeze, time.time)
fake_localtime = FakeLocalTime(time_to_freeze, time.localtime)
fake_gmtime = FakeGMTTime(time_to_freeze, time.gmtime)
fake_strftime = FakeStrfTime(time_to_freeze, time.strftime)
time.time = fake_time
time.localtime = fake_localtime
time.gmtime = fake_gmtime
time.strftime = fake_strftime
copyreg.dispatch_table[real_datetime] = pickle_fake_datetime
copyreg.dispatch_table[real_date] = pickle_fake_date
# Change any place where the module had already been imported
to_patch = [
('real_date', real_date, 'FakeDate', FakeDate),
('real_datetime', real_datetime, 'FakeDatetime', FakeDatetime),
('real_gmtime', real_gmtime, 'FakeGMTTime', fake_gmtime),
('real_localtime', real_localtime, 'FakeLocalTime', fake_localtime),
('real_strftime', real_strftime, 'FakeStrfTime', fake_strftime),
('real_time', real_time, 'FakeTime', fake_time),
]
real_names = tuple(real_name for real_name, real, fake_name, fake in to_patch)
self.fake_names = tuple(fake_name for real_name, real, fake_name, fake in to_patch)
self.reals = dict((id(fake), real) for real_name, real, fake_name, fake in to_patch)
fakes = dict((id(real), fake) for real_name, real, fake_name, fake in to_patch)
add_change = self.undo_changes.append
# Save the current loaded modules
self.modules_at_start = set(sys.modules.keys())
for mod_name, module in list(sys.modules.items()):
if mod_name is None or module is None:
continue
elif mod_name.startswith(self.ignore):
continue
elif (not hasattr(module, "__name__") or module.__name__ in ('datetime', 'time')):
continue
for module_attribute in dir(module):
if module_attribute in real_names:
continue
try:
attribute_value = getattr(module, module_attribute)
except (ImportError, AttributeError, TypeError):
# For certain libraries, this can result in ImportError(_winreg) or AttributeError (celery)
continue
fake = fakes.get(id(attribute_value))
if fake:
setattr(module, module_attribute, fake)
add_change((module, module_attribute, attribute_value))
datetime.datetime.times_to_freeze.append(time_to_freeze)
datetime.datetime.tz_offsets.append(self.tz_offset)
datetime.date.dates_to_freeze.append(time_to_freeze)
datetime.date.tz_offsets.append(self.tz_offset)
return time_to_freeze
def stop(self):
datetime.datetime.times_to_freeze.pop()
datetime.datetime.tz_offsets.pop()
datetime.date.dates_to_freeze.pop()
datetime.date.tz_offsets.pop()
if not datetime.datetime.times_to_freeze:
datetime.datetime = real_datetime
datetime.date = real_date
copyreg.dispatch_table.pop(real_datetime)
copyreg.dispatch_table.pop(real_date)
for module, module_attribute, original_value in self.undo_changes:
setattr(module, module_attribute, original_value)
self.undo_changes = []
# Restore modules loaded after start()
modules_to_restore = set(sys.modules.keys()) - self.modules_at_start
self.modules_at_start = set()
for mod_name in modules_to_restore:
module = sys.modules.get(mod_name, None)
if mod_name is None or module is None:
continue
elif mod_name.startswith(self.ignore):
continue
elif (not hasattr(module, "__name__") or module.__name__ in ('datetime', 'time')):
continue
for module_attribute in dir(module):
if module_attribute in self.fake_names:
continue
try:
attribute_value = getattr(module, module_attribute)
except (ImportError, AttributeError, TypeError):
# For certain libraries, this can result in ImportError(_winreg) or AttributeError (celery)
continue
real = self.reals.get(id(attribute_value))
if real:
setattr(module, module_attribute, real)
time.time = time.time.previous_time_function
time.gmtime = time.gmtime.previous_gmtime_function
time.localtime = time.localtime.previous_localtime_function
time.strftime = time.strftime.previous_strftime_function
def decorate_callable(self, func):
def wrapper(*args, **kwargs):
with self:
result = func(*args, **kwargs)
return result
functools.update_wrapper(wrapper, func)
# update_wrapper already sets __wrapped__ in Python 3.2+, this is only
# needed for Python 2.x support
wrapper.__wrapped__ = func
return wrapper
def freeze_time(time_to_freeze=None, tz_offset=0, ignore=None, tick=False):
# Python3 doesn't have basestring, but it does have str.
try:
string_type = basestring
except NameError:
string_type = str
if not isinstance(time_to_freeze, (string_type, datetime.date)):
raise TypeError(('freeze_time() expected None, a string, date instance, or '
'datetime instance, but got type {0}.').format(type(time_to_freeze)))
if tick and not _is_cpython:
raise SystemError('Calling freeze_time with tick=True is only compatible with CPython')
if ignore is None:
ignore = []
ignore.append('six.moves')
ignore.append('django.utils.six.moves')
return _freeze_time(time_to_freeze, tz_offset, ignore, tick)
# Setup adapters for sqlite
try:
import sqlite3
except ImportError:
# Some systems have trouble with this
pass
else:
# These are copied from Python sqlite3.dbapi2
def adapt_date(val):
return val.isoformat()
def adapt_datetime(val):
return val.isoformat(" ")
sqlite3.register_adapter(FakeDate, adapt_date)
sqlite3.register_adapter(FakeDatetime, adapt_datetime)
# Setup converters for pymysql
try:
import pymysql.converters
except ImportError:
pass
else:
pymysql.converters.encoders[FakeDate] = pymysql.converters.encoders[real_date]
pymysql.converters.encoders[FakeDatetime] = pymysql.converters.encoders[real_datetime]
|