Skip to main content

Mega mocking capabilities - stop using dot-notated paths!

Project description

MegaMock - The Developer Experience Upgrade for Python Mocking

Pew pew! Sane defaults for mocking behavior! Patch objects, variables, attributes, etc by passing in the thing in question, rather than passing in dot-delimited path strings! Create tests faster than ever!

Supported Python Versions: 3.10+

New! Use the official GPT!

An OpenAI ChatGPT+ GPT has been created for MegaMock! Ask questions about library usage or have it generate tests! The GPT has been coached on test generation and should outperform vanilla GPT-4. The GPT is available at: https://chat.openai.com/g/g-DtZiDVQsz-python-megamock-test-generation-assistant

The GPT is experimental. It has a tendency to regress during conversations. If it starts mixing MegaMock and mock, remind it to double check that its following its instructions. Its been coached on a specific pytest style but you can tell it do something else. It tends to be aggressive with the mocking, so you'll need to reel it in and use your judgement on what ultimately makes sense to mock. Don't mock something you don't need to. Don't create unit tests using mocks that will just shadow required integration tests.

Installation

Pip installation:

pip install megamock

poetry (as a development dependency):

poetry add megamock --group=dev

Why Use MegaMock? (short version)

MegaMock is a library that provides a better interface for mocking and patching in Python. Its version of patch doesn't have any gotchas based on how you import something, and it also automatically creates mocks using best practices. Additionally, the generated mock types are unions of the mocked object and MegaMock, allowing you to better leverage your IDE's autocomplete.

Sample MegaMock vs Mock Comparison

Mock:

class_mock = mock.create_autospec(ClassICareAbout, instance=True)
# cmd / alt clicking on "method_call" doesn't direct you to the definition
class_mock.method_call.return_value = "some value"

# can't simply cmd / alt click and go to ClassICareAbout
with mock.patch("some.hard.to.remember.and.long.dot.path.ClassICareAbout", class_mock) as mock_instance:
    do_something()

MegaMock:

# cmd / alt clicking on ClassICareAbout takes you to the definition
patch = MegaPatch.it(ClassICareAbout)
mock_instance = patch.megainstance
# cmd / alt clicking on "method_call" directs you to the definition
mock_instance.method_call.return_value = "some value"

do_something()

Why Use MegaMock? (long version)

MegaMock was created to address some shortcomings in the built-in Python library:

  • Legacy code holds back "best practice" defaults, so many developers write sub-optimal mocks that allow things that should not be allowed. Likewise, writing better mocks are more work, so there's a tendency to write simpler code because, at that point in time, the developer felt that is all that was needed. MegaMock's simple interface provides sane defaults.
  • mock.patch is very commonly used, and can work well when autospec=True, but has the drawback that you need to pass in a string to the thing that is being patched. Most (all?) IDEs do not properly recognize these strings as references to the objects that are being patched, and thus automated refactoring and reference finding skips them. Likewise, automatically getting a dot referenced path to an object is also commonly missing functionality. This all adds additional burden to the developer. With MegaPatch, you can import an object as you normally would into the test, then pass in thing itself you want to patch. This even works for methods, attributes, and nested classes! Additionally, your IDE's autocomplete for attributes will work in many situations as well!
  • mock.patch has a gotcha where the string you provide must match where the reference lives. So, for example, if you have in my_module.py: from other_module import Thing, then doing mock.patch("other_module.Thing") won't actually work, because the reference in my_module still points to the original. You can work around this by doing import other_module and referencing Thing by other_module.Thing. MegaMock does not have this problem, and it doesn't matter how you import.

Features

See the full features list.

Example Usage

Production Code

from module.submodule import MyClassToMock


def my_method(...):
    ...
    a_thing = MyClassToMock(...)
    do_something_with_a_thing(a_thing)
    ...


def do_something_with_a_thing(a_thing: MyClassToMock) -> None:
    result = a_thing.some_method(...)
    if result == "a value":
        ...

Test Code

from megamock import MegaPatch
from module.submodule import MyClassToMock


def test_something(...):
    patch = MegaPatch.it(MyClassToMock.some_method)
    patch.return_value = "a value"

    my_method(...)

Documentation

Usage (pytest)

With pytest, MegaMock is easily leveraged by using the included pytest plugin. You can use it by adding -p megamock.plugins.pytest to the command line.

Command line example:

pytest -p megamock.plugins.pytest

pyproject.toml example:

[tool.pytest.ini_options]
addopts = "-p megamock.plugins.pytest"

The pytest plugin also automatically stops MegaPatches after each test. If pytest-mock is installed, the default mocker will be switched to the pytest-mock mocker.

Usage (other test frameworks)

If you're not using the pytest plugin, import and execution order is important for MegaMock. When running tests, you will need to execute the start_import_mod function prior to importing any production or test code. You will also want it so the loader is not used in production.


Core Classes

MegaMock - the primary class for a mocked object. This is similar to MagicMock. To create a mock instance of a class, use MegaMock.it(MyClass) to make MyClass the spec. To create a mock class (the type) use MegaMock.the_class(MyClass). To create mock instances of instantiated objects, functions, etc, use MegaMock.this(some_object).

MegaPatch - the class for patching. This is similar to patch. Use MegaPath.it(MyObject) to replace new instances of the MyObject class.

Mega - helper class for accessing mock attributes without having to memorize them due to lost type inference. Use Mega(some_megamock). Note that the assert_ methods, such as assert_called_once, is now called_once and returns a boolean. The assertion error is stored in Mega.last_assertion_error. This is typically for doing asserts against mocked functions and methods.


Dependency injection example:

from megamock import MegaMock

def test_something(...):
    manager = MegaMock.it(MyManagerClass)
    service = SomeService(manager)
    ...

MegaPatch example:

from elsewhere import Service

from megamock import MegaPatch

def test_something(...):
    patched = MegaPatch.it(Service.make_external_call)
    patched.return_value = SomeValue(...)
    service = SomeService(...)

    code_under_test(service)
    ...

MegaMock objects have the same attributes as regular MagicMocks plus megamock and megainstance. For example, my_mega_mock.megamock.spy is the object being spied, if set. my_class_mock.megainstance is the instance returned when the class is instantiated. Note that you typically access the megainstance with MegaMock(my_class_mock).megainstance due to limitations in the type system.

The guidance document is available to provide in-depth information on using mocking and MegaMock. Continuing reading to quickly jump in to examples.


Learning By Example

All examples below have the following imports:

from my_module import MyClass
from megamock import Mega, MegaMock, MegaPatch

Creating a mock instance of a class:

mock_instance = MegaMock.it(MyClass)

Creating a mock class itself:

mock_class = MegaMock.the_class(MyClass)
func_that_wants_a_type(mock_class)

Spying an object:

my_thing = MyClass()
spied_class = MegaMock.this(spy=my_thing)

# ... do stuff with spied_class...

Mega(spied_class.some_method).call_args_list  # same as wraps

# check whether a value was accessed
# if things aren't as expected, you can pull up the debugger and see the stack traces
assert len(spied_class.megamock.spied_access["some_attribute"]) == 1

spy_access_list = spied_class.megamock.spied_access["some_attribute"]
spy_access: SpyAccess = spy_access_list[0]
spy_access.attr_value  # shallow copy of what was returned
spy_access.stacktrace  # where the access happened
spy_access.time  # when it happened (from time.time())
spy_access.top_of_stacktrace  # a shorthand property intended to be used when debugging in the IDE
spy_access.format_stacktrace()  # return a list of strings for the stacktrace
spy_access.print_stacktrace()  # display the stacktrace to the console

Patching a class:

mock_patch = MegaPatch.it(MyClass)

# the class itself
mock_patch.new_value

# the class instance
mock_patch.megainstance

# the return value of the __call__ method on the class
mock_patch.megainstance.return_value

Patching a class attribute:

# temporarily update the max retries to 0
mega_patch = MegaPatch.it(MyClass.max_retries, new=0)

Patching a class method:

mega_patch = MegaPatch.it(MyClass.my_method, return_value=...)

Alternatively:

mega_patch = MegaPatch.it(MyClass.my_method)
mega_patch.mock.return_value = ...
mega_patch = MegaPatch.it(MyClass.my_method)
mega_patch.new_value.return_value = ...

You can also alter the return value of your mock without creating a separate mock object first.

mega_patch.return_value.user = SomeUser()

Working with MegaPatch and classes:

mega_patch.new_value is the class type itself

mega_patch = MegaPatch.it(MyClass)

mega_patch.new_value.x is MyClass.x

mega_patch.return_value is the class instance returned. However, there is the property megainstance which is preferred because it has better type hinting.

mega_patch = MegaPatch.it(MyClass)

# instead of this, for which the static type is Any:
mega_patch.return_value is MyClass()

# use this, which has a static type of MegaMock | MyClass:
mega_patch.megainstance is MyClass()

Patching a module attribute:

import my_module

MegaPatch.it(my_module.some_attribute, new=...)

Patching a method of a nested class:

import my_module

MegaPatch.it(
    my_module.MyClass.MyNestedClass.some_method,
    return_value=...
)

Setting the return value:

my_mock.my_method.return_value = "foo"

Turning on real logic:

import my_module

mega_patch = MegaPatch.it(my_module.SomeClass)
Mega(mega_patch.megainstance.some_pure_logic_method).use_real_logic()

do_something_that_invokes_that_function(...)

Congrats on Reading This Far! Here's an Art Gallery!

MegaMock

Nobody said it was a big art gallery. Feel free to submit a PR that helps fix that. No artistic skill required.

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

megamock-0.1.0b8.tar.gz (26.9 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

megamock-0.1.0b8-py3-none-any.whl (26.6 kB view details)

Uploaded Python 3

File details

Details for the file megamock-0.1.0b8.tar.gz.

File metadata

  • Download URL: megamock-0.1.0b8.tar.gz
  • Upload date:
  • Size: 26.9 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: twine/4.0.2 CPython/3.11.6

File hashes

Hashes for megamock-0.1.0b8.tar.gz
Algorithm Hash digest
SHA256 a09e55e751c74cf601c464e412c659fd09684e81a3329bc1059f759b41dc8fbf
MD5 48611c7e37da93c956126f2e910af71f
BLAKE2b-256 971868cdc37661170e4810d39613e7c20384bbac7199ca931ca749c15ff2413c

See more details on using hashes here.

File details

Details for the file megamock-0.1.0b8-py3-none-any.whl.

File metadata

  • Download URL: megamock-0.1.0b8-py3-none-any.whl
  • Upload date:
  • Size: 26.6 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: twine/4.0.2 CPython/3.11.6

File hashes

Hashes for megamock-0.1.0b8-py3-none-any.whl
Algorithm Hash digest
SHA256 5c887293aca2b5ada6274749cba91d1095f05066114a5d4886c87569d472f034
MD5 bc9232dcf208c73a2b4f7c1beb6046b1
BLAKE2b-256 bc005e43ab2639b1f86535cd2cce1cd495eab13774a709a7751fecf9cbb9465a

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page