I'm doing some tests for my python library which is supposed to work on all python versions - 27, 33, 34, 35, 36 and pypy. In my tests I'm mocking the datetime
library and they all work, except when I run them in pypy
(see why I bolded that earlier? such a plot twist!).
Here's a MCVE for the trouble I'm having:
import mock
import datetime as dtl
mk = mock.Mock(wraps=dtl.datetime)
p = mock.patch('datetime.datetime', mk)
p.start()
from datetime import datetime
d1 = datetime.now()
d2 = datetime.now()
print d1 == d2
In all python versions the last line returns False
. In pypy
the last line throws:
>>>> d1 == d2
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/usr/lib/pypy/lib_pypy/datetime.py", line 1764, in __eq__
if isinstance(other, datetime):
TypeError: isinstance() arg 2 must be a class, type, or tuple of classes and types
I dug through pypy
's source code trying to understand the problem, and why on earth are there differences between it and other python versions, and I found the following:
# Comparisons of datetime objects with other.
def __eq__(self, other):
if isinstance(other, datetime):
return self._cmp(other) == 0
elif hasattr(other, "timetuple") and not isinstance(other, date):
return NotImplemented
else:
return False
This kind of makes sense. The datetime
class is now a Mock
object - and python insists that the second argument to isinstance
will be a type. Neato.
So I decided to look at cpython's implementation of datetime
, and surprise surprise:
# Comparisons of datetime objects with other.
def __eq__(self, other):
if isinstance(other, datetime):
return self._cmp(other, allow_mixed=True) == 0
elif not isinstance(other, date):
return NotImplemented
else:
return False
The same exact verification is done here, yet it does not raise anything ¯\_(ツ)_/¯
.
I'll add that this happens in python 2.7:
>>> d = datetime.now()
>>> d
datetime.datetime(2017, 9, 7, 9, 31, 50, 838155)
>>> d == d
True
>>> datetime
<Mock id='139788521555024'>
>>> isinstance(d, datetime)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: isinstance() arg 2 must be a class, type, or tuple of classes and types
There are 2 questions I'm struggling with:
- Why on earth does it work for cpython?
- How can I mock the datetime object in a way that this will work without reimplementing
__eq__
or any other magic method :)
Much obliged!
That's a real problem in python and a good example why using
isinstanceof
is a bad practice.The solution is to not patch with a mock, but rather with a class inheriting from
datetime.datetime
. But, because you will inherit from datetime and still want to check the type based on the realdatetime
class we will need to override theisinstance
check to be on the real class.