This issue tracker has been migrated to GitHub, and is currently read-only.
For more information, see the GitHub FAQs in the Python's Developer Guide.

classification
Title: Allow waiting on a mock
Type: enhancement Stage: patch review
Components: Library (Lib) Versions: Python 3.9
process
Status: open Resolution:
Dependencies: Superseder:
Assigned To: Nosy List: Ilya.Kulakov, Kentzo, cjw296, ezio.melotti, jcea, lisroach, lkollar, mariocj89, michael.foord, pablogsal, pitrou, rbcollins, xtreak
Priority: normal Keywords: patch

Created on 2013-01-22 12:15 by pitrou, last changed 2022-04-11 14:57 by admin.

Pull Requests
URL Status Linked Edit
PR 12818 closed xtreak, 2019-04-13 15:36
PR 16094 open mariocj89, 2019-09-13 12:33
PR 17133 closed Ilya.Kulakov, 2019-11-12 22:02
PR 20759 open Ilya.Kulakov, 2020-06-09 11:51
Messages (18)
msg180377 - (view) Author: Antoine Pitrou (pitrou) * (Python committer) Date: 2013-01-22 12:15
In non-trivial tests, you may want to wait for a method to be called in another thread. This is a case where unittest.mock currently doesn't help. It would be nice to be able to write:

  myobj.some_method = Mock(side_effect=myobj.some_method)
  # launch some thread
  myobj.some_method.wait_until_called()

And perhaps

  myobj.some_method.wait_until_called_with(...)

(with an optional timeout?)

If we don't want every Mock object to embed a threading.Event, perhaps there could be a ThreadedMock subclass?
Or perhaps even:

  WaitableMock(..., event_class=threading.Event)

so that people can pass multiprocessing.Event if they want to wait on the mock from another process?
msg181398 - (view) Author: Michael Foord (michael.foord) * (Python committer) Date: 2013-02-05 00:14
There is a similar feature request on the mock issue tracker: http://code.google.com/p/mock/issues/detail?id=189

I prefer this proposal to the other one though. (Although technically allowing a wait for multiple calls is more flexible.)
msg247777 - (view) Author: Robert Collins (rbcollins) * (Python committer) Date: 2015-07-31 21:59
Now at https://github.com/testing-cabal/mock/issues/189
msg340146 - (view) Author: Karthikeyan Singaravelan (xtreak) * (Python committer) Date: 2019-04-13 07:03
Is there still sufficient interest in this? I gave an initial try at this based on my limited knowledge of mock and Antoine's idea. I created a new class WaitableMock that inherits from Mock and accepts an event_class with threading.Event as default and stores an event object. When call is made then via CallableMixin _mock_call is called which I have overridden to set the event object. I have wait_until_called that waits on this event object for a given timeout to return whether it's called or not. 

I am not sure of implementing wait_until_called_with since I set the event object for any call in _mock_call irrespective of argument and since the call params for which the event has to be set are passed to wait_until_called_with. Perhaps allow passing a call object to wait_until_called_with and and during _mock_call set event object only if the call is the same as one passed to wait_until_called_with ?

See also issue26467 to support asyncio with mock

Initial implementation 

class WaitableMock(Mock):

    def __init__(self, *args, **kwargs):
        event_class = kwargs.pop('event_class', threading.Event)
        _safe_super(WaitableMock, self).__init__(*args, **kwargs)
        self.event = event_class()

    def _mock_call(self, *args, **kwargs):
        _safe_super(WaitableMock, self)._mock_call(*args, **kwargs)
        self.event.set()

    def wait_until_called(self, timeout=1):
        return self.event.wait(timeout=timeout)

Sample program : 

import multiprocessing
import threading
import time
from unittest.mock import WaitableMock, patch

def call_after_sometime(func, delay=1):
    time.sleep(delay)
    func()

def foo():
    pass

def bar():
    pass

with patch('__main__.foo', WaitableMock(event_class=threading.Event)):
    with patch('__main__.bar', WaitableMock(event_class=threading.Event)):
        threading.Thread(target=call_after_sometime, args=(foo, 1)).start()
        threading.Thread(target=call_after_sometime, args=(bar, 5)).start()
        print("foo called ", foo.wait_until_called(timeout=2)) # successful
        print("bar called ", bar.wait_until_called(timeout=2)) # times out
        foo.assert_called_once()
        bar.assert_not_called()
        # Wait for the bar's thread to complete to verify call is registered
        time.sleep(5)
        bar.assert_called_once()

# foo is called but waiting for call to bar times out and hence no calls to bar are registered though bar is eventually called in the end and the call is registered at the end of the program.

➜  cpython git:(master) ✗ time ./python.exe ../backups/bpo17013_mock.py
foo called  True
bar called  False
./python.exe ../backups/bpo17013_mock.py  0.40s user 0.05s system 7% cpu 5.765 total
msg340153 - (view) Author: Mario Corchero (mariocj89) * (Python triager) Date: 2019-04-13 11:27
I think this is REALLY interesting!, there are many situations where this has been useful, it would greatly improve multithreading testing in Python.

Q? I see you inherit from Mock, should it inherit from MagicMock?
I'd say send the PR and the discussion can happen there about the implementation, seems there is consensus in this thread.

I would find it OK to start with `wait_until_called` if you want and can be discussed in another issue/PR if you don't have the time/think it might not be worth.
msg340158 - (view) Author: Karthikeyan Singaravelan (xtreak) * (Python committer) Date: 2019-04-13 13:35
Thanks Mario for the feedback.

> I see you inherit from Mock, should it inherit from MagicMock?

yes, it can inherit from MagicMock to mock magic methods and to wait on their call.

I thought some more about waiting for function call with arguments. One idea would be to have a dictionary with args to function as key mapping to an event object and to set and wait on that event object. To have wait_until_called that is always listening on a per mock object and to have wait_until_called_with listening on event object specific to that argument. Below is a sample implementation and an example to show it working with wait_until_called and wait_until_called_with. wait_until_called_with is something difficult to model since it needs per call event object and also need to store relevant key mapping to event object that is currently args and doesn't support keyword arguments. But wait_until_called is little simpler waiting on a per mock event object.

I will open up a PR with some tests.


class WaitableMock(MagicMock):

    def __init__(self, *args, **kwargs):
        _safe_super(WaitableMock, self).__init__(*args, **kwargs)
        self.event_class = kwargs.pop('event_class', threading.Event)
        self.event = self.event_class()
        self.expected_calls = {}

    def _mock_call(self, *args, **kwargs):
        ret_value  = _safe_super(WaitableMock, self)._mock_call(*args, **kwargs)

        for call in self._mock_mock_calls:
            event = self.expected_calls.get(call.args)
            if event and not event.is_set():
                event.set()

        # Always set per mock event object to ensure the function is called for wait_until_called.
        self.event.set()

        return ret_value

    def wait_until_called(self, timeout=1):
        return self.event.wait(timeout=timeout)

    def wait_until_called_with(self, *args, timeout=1):
        # If there are args create a per argument list event object and if not wait for per mock event object.
        if args:
            if args not in self.expected_calls:
                event = self.event_class()
                self.expected_calls[args] = event
            else:
                event = self.expected_calls[args]
        else:
            event = self.event

        return event.is_set() or event.wait(timeout=timeout)



# Sample program to wait on arguments, magic methods and validating wraps

import multiprocessing
import threading
import time
from unittest.mock import WaitableMock, patch, call

def call_after_sometime(func, *args, delay=1):
    time.sleep(delay)
    func(*args)

def wraps(*args):
    return 1

def foo(*args):
    pass

def bar(*args):
    pass

with patch('__main__.foo', WaitableMock(event_class=threading.Event, wraps=wraps)):
    with patch('__main__.bar', WaitableMock(event_class=threading.Event)):
        # Test normal call
        threading.Thread(target=call_after_sometime, args=(foo, 1), kwargs={'delay': 1}).start()
        threading.Thread(target=call_after_sometime, args=(bar, 1), kwargs={'delay': 5}).start()
        print("foo called ", foo.wait_until_called(timeout=2))
        print("bar called ", bar.wait_until_called(timeout=2))
        foo.assert_called_once()
        bar.assert_not_called()

        # Test wraps works
        assert foo() == 1

        # Test magic method
        threading.Thread(target=call_after_sometime, args=(foo.__str__, ), kwargs={'delay': 1}).start()
        print("foo.__str__ called ", foo.__str__.wait_until_called(timeout=2))
        print("bar.__str__ called ", bar.__str__.wait_until_called(timeout=2))

        foo.reset_mock()
        bar.reset_mock()

        # Test waiting for arguments
        threading.Thread(target=call_after_sometime, args=(bar, 1), kwargs={'delay': 1}).start()
        threading.Thread(target=call_after_sometime, args=(bar, 2), kwargs={'delay': 5}).start()
        print("bar called with 1 ", bar.wait_until_called_with(1, timeout=2))
        print("bar called with 2 ", bar.wait_until_called_with(2, timeout=2))
        time.sleep(5)
        print("bar called with 2 ", bar.wait_until_called_with(2))


$ ./python.exe ../backups/bpo17013_mock.py
foo called  True
bar called  False
foo.__str__ called  True
bar.__str__ called  False
bar called with 1  True
bar called with 2  False
bar called with 2  True
msg340164 - (view) Author: Mario Corchero (mariocj89) * (Python triager) Date: 2019-04-13 15:30
Kooning great! I would Add a test for the following (I think both fails with the proposed impl):

- The mock is called BEFORE calling wait_until_called_with
- I call the mock with arguments and then I call wait for call without arguments.
- using keyword arguments 

Also, I don’t have a great solution for it but it might be worth prefixing time-out with something in the wait_untill_called_with. In situations where the mocked object has a timeout parameter (which is a common argument for multithreaded apps).
msg352211 - (view) Author: Mario Corchero (mariocj89) * (Python triager) Date: 2019-09-12 16:15
Spoke offline with @xtreak, I'll be sending a PR for this to take over the existing one.

@lisroach proposed a new name, EventMock to differentiate it from any awaitable async notation.

@michael.foord suggested using `mock_timeout` as the argument.

Discussed also to change the naming of the method to `await_until_any_call` to make the semantics similar to the one that `Mock` provides. As `await_until_called_with` might mislead the user that it applies only to the last call.
msg356898 - (view) Author: Ilya Kulakov (Kentzo) Date: 2019-11-18 19:03
I have submitted an alternative implementation of this feature heavily inspired by _AwaitEvent I wrote for asynctest [0]. 

There was recently an interest from the community towards asynctest to the point that got some of its measures merged into CPython [1].

The key features of my implementation [2]:

- Gives meaning to the existing Mock.called property, otherwise not much useful
- Does not require end users to do anything: change is automatically available in every Mock (and any subclass of mock that does not override `called`)
- Use of conditionals provides API that allows much richer extension: instead of hardcoding conditions as events it allows to wait until arbitrary predicate becomes true
- Utilizes existing semantics of python conditionals (both asyncio and threading)

Accepting this PR will allow me to bring _AwaitEvent thereby completing mock.py with waiting mechanics with identical semantics for both threading-based and asyncio-based cases.


0: https://github.com/Martiusweb/asynctest/blob/4b1284d6bab1ae90a6e8d88b882413ebbb7e5dce/asynctest/mock.py#L428
1: https://github.com/python/cpython/pull/9296
2: https://github.com/python/cpython/pull/17133
msg367446 - (view) Author: Mario Corchero (mariocj89) * (Python triager) Date: 2020-04-27 19:16
For the record, I have no strong preference over either implementation. @voidspace preferred offline the new mock class, but sadly the rationale is lost in the physical word.
msg371133 - (view) Author: Pablo Galindo Salgado (pablogsal) * (Python committer) Date: 2020-06-09 17:56
isn't PR 20759 backwards incompatible? If I understand correctly, this would break anyone that is checking for identity as :

assert mymock.called is True
msg371165 - (view) Author: Ilya Kulakov (Ilya.Kulakov) * Date: 2020-06-10 06:18
Correct, it is not backward compatible in that respect. I did not check thoroughly, but a quick lookup shown no such use among public repos on GitHub.

I can instead add the called_event property and make the CallEvent “public”.

Best Regards
Ilya Kulakov

> On Jun 9, 2020, at 11:56 PM, Pablo Galindo Salgado <report@bugs.python.org> wrote:
> 
> 
> Pablo Galindo Salgado <pablogsal@gmail.com> added the comment:
> 
> isn't PR 20759 backwards incompatible? If I understand correctly, this would break anyone that is checking for identity as :
> 
> assert mymock.called is True
> 
> ----------
> nosy: +pablogsal
> 
> _______________________________________
> Python tracker <report@bugs.python.org>
> <https://bugs.python.org/issue17013>
> _______________________________________
msg371175 - (view) Author: Pablo Galindo Salgado (pablogsal) * (Python committer) Date: 2020-06-10 09:23
> Correct, it is not backward compatible in that respect. 

Unfortunately, we take backwards compatibility very seriously in the core team and this is a big downside of this proposal.

> I can instead add the called_event property

Wouldn't that also break any mock that is mocking an object with a "called_event" attribute?
msg371193 - (view) Author: Ilya Kulakov (Ilya.Kulakov) * Date: 2020-06-10 13:15
> Unfortunately, we take backwards compatibility very seriously in the core team and this is a big downside of this proposal.

Current implementation relies on that:
1. called is almost never used in practice (people just use .assert*)
2. The is True / False is discouraged and is rarely used by itself, let alone in combination with .called

> Wouldn't that also break any mock that is mocking an object with a "called_event" attribute?

It should break them in the same way as "called" breaks them now.
msg371195 - (view) Author: Pablo Galindo Salgado (pablogsal) * (Python committer) Date: 2020-06-10 13:33
> 1. called is almost never used in practice (people just use .assert*)

Sorry but saying "almost never used" is not good enough. Not only because you hold incomplete data but because backwards compatibility is mainly binary: it breaks or it does not, and this breaks.

> 2. The is True / False is discouraged and is rarely used by itself, let alone in combination with .called

That is not true, is actually encouraged to check for singletons like True, False and None.
msg371196 - (view) Author: Pablo Galindo Salgado (pablogsal) * (Python committer) Date: 2020-06-10 13:35
> Current implementation relies on that:

Notice that this is a clear disadvantage over a subclass-based approach, which is backwards compatible and preserves the semantics of mock.
msg371202 - (view) Author: Ilya Kulakov (Ilya.Kulakov) * Date: 2020-06-10 13:57
As far as I understand it introduces 3 methods that may clash. It's unlikely but (I speculate)
is still more likely than an identity check with called.

That being said, the PR can be redone as a subclass. But that implementation will not play
as nicely with the planned `awaited` property for asyncio mocks (see description in the PR).
msg371207 - (view) Author: Ilya Kulakov (Kentzo) Date: 2020-06-10 14:37
> That is not true, is actually encouraged to check for singletons like True, False and None.

You're right, just never used it as I never needed an identity check against True / False

The PR is re-done to use an additional property call_event instead of extending called for backwards compatibility.
History
Date User Action Args
2022-04-11 14:57:40adminsetgithub: 61215
2020-06-10 14:37:15Kentzosetmessages: + msg371207
2020-06-10 13:57:37Ilya.Kulakovsetmessages: + msg371202
2020-06-10 13:35:48pablogsalsetmessages: + msg371196
2020-06-10 13:33:12pablogsalsetmessages: + msg371195
2020-06-10 13:15:58Ilya.Kulakovsetmessages: + msg371193
2020-06-10 09:23:26pablogsalsetmessages: + msg371175
2020-06-10 06:18:59Ilya.Kulakovsetmessages: + msg371165
2020-06-09 17:56:03pablogsalsetnosy: + pablogsal
messages: + msg371133
2020-06-09 11:51:30Ilya.Kulakovsetnosy: + Ilya.Kulakov
pull_requests: + pull_request19958
2020-04-27 19:16:37mariocj89setmessages: + msg367446
2020-01-10 22:24:56cheryl.sabellasetversions: + Python 3.9, - Python 3.8
2019-11-18 19:03:46Kentzosetnosy: + Kentzo
messages: + msg356898
2019-11-12 22:02:34Ilya.Kulakovsetpull_requests: + pull_request16643
2019-09-13 12:33:18mariocj89setpull_requests: + pull_request15715
2019-09-12 16:15:16mariocj89setmessages: + msg352211
2019-09-12 15:20:03lisroachsetnosy: + lisroach
2019-04-14 08:42:59lkollarsetnosy: + lkollar
2019-04-13 15:36:00xtreaksetkeywords: + patch
stage: needs patch -> patch review
pull_requests: + pull_request12743
2019-04-13 15:30:52mariocj89setmessages: + msg340164
2019-04-13 13:35:30xtreaksetmessages: + msg340158
2019-04-13 11:27:33mariocj89setmessages: + msg340153
2019-04-13 07:03:54xtreaksetnosy: + cjw296, xtreak, mariocj89
messages: + msg340146
2017-12-12 01:52:44cheryl.sabellasetstage: needs patch
versions: + Python 3.8, - Python 3.4
2015-07-31 21:59:15rbcollinssetnosy: + rbcollins
messages: + msg247777
2013-02-05 00:14:25michael.foordsetmessages: + msg181398
2013-01-22 19:07:55jceasetnosy: + jcea
2013-01-22 12:16:34ezio.melottisetnosy: + ezio.melotti
2013-01-22 12:15:47pitroucreate