Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

♻️ Refactor pickle tests #938

Open
wants to merge 2 commits into
base: master
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 3 additions & 0 deletions .github/workflows/ci-cd.yml
Original file line number Diff line number Diff line change
Expand Up @@ -291,6 +291,9 @@ jobs:
&& '.'
|| steps.wheel-file.outputs.path
}}'
- name: Set WRITE_PICKLE_FILES env variable
if: ${{ matrix.os == 'ubuntu' && endsWith(matrix.pyver, '-dev') }}
run: echo "WRITE_PICKLE_FILES=1" >> $GITHUB_ENV
- name: Run unittests
run: >-
python -Im pytest tests -v
Expand Down
6 changes: 0 additions & 6 deletions .mypy.ini
Original file line number Diff line number Diff line change
Expand Up @@ -58,12 +58,6 @@ disable_error_code =
type-arg,
var-annotated,

[mypy-gen_pickles]
disable_error_code =
attr-defined,
no-untyped-call,
no-untyped-def,

[mypy-test_abc]
disable_error_code =
no-untyped-call,
Expand Down
3 changes: 3 additions & 0 deletions CHANGES/938.contrib.rst
Original file line number Diff line number Diff line change
@@ -0,0 +1,3 @@
Pickle tests have been refactored in order
to make ``test_pickle.py`` more readable
and eliminate ``get_pickles.py``.
36 changes: 33 additions & 3 deletions tests/conftest.py
Original file line number Diff line number Diff line change
Expand Up @@ -4,9 +4,10 @@
import pickle
from dataclasses import dataclass
from importlib import import_module
from pathlib import Path
from sys import version_info as _version_info
from types import ModuleType
from typing import Callable, Type
from typing import Any, Callable, Type

try:
from functools import cached_property # Python 3.8+
Expand All @@ -23,6 +24,7 @@ def cached_property(func):

C_EXT_MARK = pytest.mark.c_extension
PY_38_AND_BELOW = _version_info < (3, 9)
TESTS_DIR = Path(__file__).parent.resolve()


@dataclass(frozen=True)
Expand Down Expand Up @@ -139,15 +141,15 @@ def any_multidict_proxy_class(
@pytest.fixture(scope="session")
def case_sensitive_multidict_proxy_class(
multidict_module: ModuleType,
) -> Type[MutableMultiMapping[str]]:
) -> Type[MultiMapping[str]]:
"""Return a case-sensitive immutable multidict class."""
return multidict_module.MultiDictProxy


@pytest.fixture(scope="session")
def case_insensitive_multidict_proxy_class(
multidict_module: ModuleType,
) -> Type[MutableMultiMapping[str]]:
) -> Type[MultiMapping[str]]:
"""Return a case-insensitive immutable multidict class."""
return multidict_module.CIMultiDictProxy

Expand All @@ -158,6 +160,34 @@ def multidict_getversion_callable(multidict_module: ModuleType) -> Callable:
return multidict_module.getversion


@pytest.fixture
def dict_data() -> Any:
return [("a", 1), ("a", 2)]


@pytest.fixture
def pickled_data(
any_multidict_class,
pickle_protocol: int,
dict_data: Any,
) -> bytes:
"""Generates a pickled representation of the test data"""
d = any_multidict_class(dict_data)
return pickle.dumps(d, pickle_protocol)


@pytest.fixture
def pickle_file_path(
any_multidict_class_name: str,
multidict_implementation: MultidictImplementation,
pickle_protocol: int,
) -> Path:
return TESTS_DIR / (
f"{any_multidict_class_name.lower()}-{multidict_implementation.tag}"
f".pickle.{pickle_protocol}"
)


def pytest_addoption(
parser: pytest.Parser,
pluginmanager: pytest.PytestPluginManager,
Expand Down
28 changes: 0 additions & 28 deletions tests/gen_pickles.py

This file was deleted.

5 changes: 3 additions & 2 deletions tests/test_multidict.py
Original file line number Diff line number Diff line change
Expand Up @@ -8,6 +8,7 @@
from collections.abc import Mapping
from types import ModuleType
from typing import (
Any,
Callable,
Dict,
Iterable,
Expand Down Expand Up @@ -742,8 +743,8 @@ def test_preserve_stable_ordering(

assert s == "a=1&b=2&a=3"

def test_get(self, cls: Type[MultiDict[int]]) -> None:
d = cls([("a", 1), ("a", 2)])
def test_get(self, cls: Type[MultiDict[int]], dict_data: Any) -> None:
d = cls(dict_data)
assert d["a"] == 1

def test_items__repr__(self, cls: Type[MultiDict[str]]) -> None:
Expand Down
60 changes: 36 additions & 24 deletions tests/test_pickle.py
Original file line number Diff line number Diff line change
@@ -1,38 +1,50 @@
import os
import pickle
from pathlib import Path

import pytest

here = Path(__file__).resolve().parent
WRITE_PICKLE_FILES = bool(os.environ.get("WRITE_PICKLE_FILES"))


def test_pickle(any_multidict_class, pickle_protocol):
d = any_multidict_class([("a", 1), ("a", 2)])
pbytes = pickle.dumps(d, pickle_protocol)
obj = pickle.loads(pbytes)
assert d == obj
assert isinstance(obj, any_multidict_class)
def test_unpickle(any_multidict_class, dict_data, pickled_data):
expected = any_multidict_class(dict_data)
actual = pickle.loads(pickled_data)
assert actual == expected
assert isinstance(actual, any_multidict_class)


def test_pickle_proxy(any_multidict_class, any_multidict_proxy_class):
d = any_multidict_class([("a", 1), ("a", 2)])
def test_pickle_proxy(any_multidict_class, any_multidict_proxy_class, dict_data):
d = any_multidict_class(dict_data)
proxy = any_multidict_proxy_class(d)
with pytest.raises(TypeError):
pickle.dumps(proxy)


def test_load_from_file(any_multidict_class, multidict_implementation, pickle_protocol):
multidict_class_name = any_multidict_class.__name__
pickle_file_basename = "-".join(
(
multidict_class_name.lower(),
multidict_implementation.tag,
)
)
d = any_multidict_class([("a", 1), ("a", 2)])
fname = f"{pickle_file_basename}.pickle.{pickle_protocol}"
p = here / fname
with p.open("rb") as f:
obj = pickle.load(f)
assert d == obj
assert isinstance(obj, any_multidict_class)
def test_pickle_format_stability(pickled_data, pickle_file_path, pickle_protocol):
if pickle_protocol == 0:
# TODO: consider updating pickle files
pytest.skip(reason="Format for pickle protocol 0 is changed, it's a known fact")
expected = pickle_file_path.read_bytes()
assert pickled_data == expected


def test_pickle_backward_compatibility(
any_multidict_class,
dict_data,
pickle_file_path,
):
expected = any_multidict_class(dict_data)
with pickle_file_path.open("rb") as f:
actual = pickle.load(f)

assert actual == expected
assert isinstance(actual, any_multidict_class)


@pytest.mark.skipif(
not WRITE_PICKLE_FILES,
reason="This is a helper that writes pickle test files",
)
def test_write_pickle_file(pickled_data: bytes, pickle_file_path: Path) -> None:
pickle_file_path.write_bytes(pickled_data)
Loading