Skip to content

Commit 2d4179d

Browse files
committed
Fixes #6
1 parent 781a068 commit 2d4179d

File tree

4 files changed

+115
-72
lines changed

4 files changed

+115
-72
lines changed

docs/api/typed_descriptors.base.rst

+5
Original file line numberDiff line numberDiff line change
@@ -29,6 +29,11 @@ TypedDescriptor
2929
:members:
3030
:special-members: __descriptor_type__, __set_name__, __get__
3131

32+
class_slots
33+
-----------
34+
35+
.. autofunction:: typed_descriptors.base.class_slots
36+
3237
is_dict_available
3338
-----------------
3439

test/test_00_base.py

+2-1
Original file line numberDiff line numberDiff line change
@@ -58,4 +58,5 @@ def test_base_set_name_slots_error(backed_by: Optional[str]) -> None:
5858
with pytest.raises(name_slot_error):
5959
class C:
6060
x = Attr(int, lambda _, x: x >= 0, backed_by=backed_by)
61-
__slots__ = ()
61+
__slots__ = ("some_other_attr")
62+
# Recall that __slots__ = () is interpreted as not declaring slots

tox.ini

+1-1
Original file line numberDiff line numberDiff line change
@@ -11,4 +11,4 @@ setenv =
1111
PYTHONPATH = {toxinidir}
1212
commands =
1313
pytest test
14-
mypy --strict typed_descriptors
14+
mypy --strict .\typed_descriptors

typed_descriptors/base.py

+107-70
Original file line numberDiff line numberDiff line change
@@ -26,25 +26,69 @@
2626

2727
def is_dict_available(owner: type) -> bool:
2828
"""
29-
Checks whether instances of a given type have ``__dict__`` available.
30-
Returns :obj:`True` if either:
29+
Checks whether instances of a descriptor owner class have ``__dict__``.
30+
Returns :obj:`True` if the MRO root ``owner.__mro__[-1]`` is not
31+
:obj:`object`, or if the following is true for any class ``cls`` in
32+
``owner.__mro__[:-1]`` (i.e. excluding the MRO root):
3133
32-
- the MRO root ``owner.__mro__[-1]`` is not :obj:`object`;
33-
- one of the classes in ``owner.__mro__[:-1]`` (i.e. excluding the MRO root)
34-
either does not define ``__slots__`` or defines ``__dict__`` in its slots.
34+
1. ``cls`` has no ``__slots__`` attribute
35+
2. the ``__slots__`` attribute of ``cls`` is empty
36+
3. ``__dict__`` appears in the the ``__slots__`` attribute of ``cls``
3537
3638
Otherwise, returns :obj:`False`.
39+
40+
.. warning ::
41+
42+
If the function returns :obj:`False`, then ``__dict__`` is certainly
43+
not available. However, it is possible for a class ``cls`` in the MRO to
44+
satisfy one of the three conditions above and for ``__dict__`` to not be
45+
available on instances of the descriptor owner class. For example:
46+
47+
1. The ``__slots__`` attribute might have been deleted at some point
48+
after the slots creation process.
49+
2. The ``__slots__`` attribute contents might have been cleared, or it
50+
might have been an iterable which as been fully consumed as part of
51+
the slots creation process.
52+
3. A ``__dict__`` entry might have been added to ``__slots__`` at some
53+
point after the slots creation process.
54+
55+
If this happens somewhere in the MRO of the owner class being inspected,
56+
the library will incorrectly infer that ``__dict__`` is available on
57+
class instances, resulting in incorrect behaviour.
58+
In such situations, please manually set ``use_dict`` to :obj:`False` in
59+
attribute constructors to ensure that the ``__dict__`` mechanism is not
60+
used to back the descriptor.
61+
3762
"""
3863
mro = owner.__mro__
3964
if mro[-1] != object:
4065
return False
4166
for cls in mro[:-1]:
4267
if not hasattr(cls, "__slots__"):
4368
return True
69+
if not cls.__slots__:
70+
return True
4471
if "__dict__" in cls.__slots__:
4572
return True
4673
return False
4774

75+
def class_slots(cls: type) -> tuple[str, ...] | None:
76+
"""
77+
Returns a tuple consisting of all slots for the given class and all
78+
non-private slots for all classes in its MRO.
79+
Returns :obj:`None` if slots are not defined for the class.
80+
"""
81+
if not hasattr(cls, "__slots__"):
82+
return None
83+
slots: list[str] = list(cls.__slots__)
84+
for cls in cls.__mro__[1:-1]:
85+
for slot in getattr(cls, "__slots__", ()):
86+
assert isinstance(slot, str)
87+
if slot.startswith("__") and not slot.endswith("__"):
88+
continue
89+
slots.append(slot)
90+
return tuple(slots)
91+
4892
def name_mangle(owner: type, attr_name: str) -> str:
4993
"""
5094
If the given attribute name is private and not dunder,
@@ -113,39 +157,43 @@ def __get__(self, instance: Any, _: Type[Any]) -> T_co | Self:
113157
:meta public:
114158
"""
115159

116-
117160
class DescriptorBase(TypedDescriptor[T]):
118161
"""
119162
Base class for descriptors backed by an attribute whose name and access mode
120163
is determined by the following logic.
121164
122-
Naming logic for backing attribute:
123-
124-
1. If the ``backed_by`` argument is specified in the constructor, the string
125-
passed to it is used as name for the backing attribute.
126-
2. Else, if ``__dict__`` is available (see :func:`is_dict_available`), then
127-
the backing attribute name coincides with the descriptor name.
165+
Logic for using ``__dict__`` vs "attr" functions for access to the
166+
backing attribute:
167+
168+
1. If the ``use_dict`` argument is set to :obj:`True` in the descriptor
169+
constructor, then ``__dict__`` will be used. If the library is certain
170+
that ``__dict__`` is not available on instances of the descriptor owner
171+
class (cf. :func:`is_dict_available`), then a :obj:`TypeError` is raised
172+
at the time when ``__set_name__`` is called.
173+
2. If the ``use_dict`` argument is set to :obj:`False` in the descriptor
174+
constructor, then the "attr" functions :func:`getattr`, :func:`setattr`,
175+
:func:`delattr` and :func:`hasattr` will be used. If the library is
176+
certain that ``__dict__`` is not available on instances of the descriptor
177+
owner class (cf. :func:`is_dict_available`) and the backing attribute
178+
name is not present in the class slots (cf. :func:`class_slots`), then a
179+
:obj:`TypeError` is raised at the time when ``__set_name__`` is called.
180+
3. If ``use_dict`` is set to :obj:`None` (default value) in the descriptor
181+
constructor, then :func:`is_dict_available` is called and ``use_dict`` is
182+
set to the resulting value. Further validation is then performed as
183+
described in points 1. and 2. above.
184+
185+
Naming logic for the backing attribute:
186+
187+
1. If the ``backed_by`` argument is specified in the descriptor constructor,
188+
the string passed to it is used as name for the backing attribute.
189+
2. Else, if using ``__dict__`` for access to the backing attribute, then the
190+
backing attribute name coincides with the descriptor name.
128191
3. Else, the backing attribute name is obtained by prepending one or
129192
two underscores to the descriptor name (one if the descriptor name starts
130193
with underscore, two if it doesn't).
131194
132-
Access logic for backing attribute:
133-
134-
1. If ``__dict__`` is available (see :func:`is_dict_available`), the backing
135-
attribute is accessed via ``__dict__`` if its name coincides with the
136-
descriptor name, and via ``___attr`` functions otherwise.
137-
2. Else, the backing attribute is accessed via ``___attr`` functions.
138-
139-
Above, the nomenclature "``___attr`` functions" refers to :func:`getattr`,
140-
:func:`setattr`, :func:`delattr` and :func:`hasattr`.
141-
142195
If the backing attribute name starts with two underscores but does not end
143196
with two underscores, name-mangling is automatically performed.
144-
145-
If ``__dict__`` is not available (see :func:`is_dict_available`) and the
146-
backing attribute name does not appear in ``__slots__``, a :obj:`TypeError`
147-
is raised at the time when the descriptor is assigned (or, more precisely,
148-
at the time when its ``__set_name__`` method is called).
149197
"""
150198

151199
# Attributes set by constructor:
@@ -158,6 +206,7 @@ class DescriptorBase(TypedDescriptor[T]):
158206
__use_dict: bool
159207

160208
# Attribute set by constructor and deleted by __set_name__:
209+
__temp_use_dict: Optional[bool]
161210
__temp_backed_by: Optional[str]
162211

163212
__slots__ = (
@@ -166,6 +215,7 @@ class DescriptorBase(TypedDescriptor[T]):
166215
"__owner",
167216
"__backed_by",
168217
"__use_dict",
218+
"__temp_use_dict",
169219
"__temp_backed_by",
170220
"__descriptor_type__",
171221
)
@@ -177,6 +227,7 @@ def __init__(
177227
/,
178228
*,
179229
backed_by: Optional[str] = None,
230+
use_dict: Optional[bool] = None,
180231
) -> None:
181232
# pylint: disable = redefined-builtin
182233
...
@@ -188,6 +239,7 @@ def __init__(
188239
/,
189240
*,
190241
backed_by: Optional[str] = None,
242+
use_dict: Optional[bool] = None,
191243
) -> None:
192244
# pylint: disable = redefined-builtin
193245
...
@@ -198,13 +250,17 @@ def __init__(
198250
/,
199251
*,
200252
backed_by: Optional[str] = None,
253+
use_dict: Optional[bool] = None,
201254
) -> None:
202255
"""
203256
Creates a new descriptor with the given type and optional validator.
204257
205258
:param type: the type of the descriptor.
206-
:param backed_by: the name of the backing attribute for the
207-
descriptor, or :obj:`None` to use a default name.
259+
:param backed_by: name for the backing attribute (optional, default name
260+
used if not specified).
261+
:param use_dict: whether to use ``__dict__`` or slots for access to the
262+
backing attribute (optional, automatically determined
263+
if not specified).
208264
209265
:raises TypeError: if the type cannot be validated by the
210266
:mod:`typing_validation` library.
@@ -217,6 +273,7 @@ def __init__(
217273
validate(backed_by, Optional[str])
218274
self.__type = type
219275
self.__temp_backed_by = backed_by
276+
self.__temp_use_dict = use_dict
220277
self.__descriptor_type__ = type
221278

222279
@final
@@ -333,57 +390,37 @@ def __set_name__(self, owner: Type[Any], name: str) -> None:
333390
name = name_unmangle(owner, name)
334391
# 3. Compute backing attribute name and whether to use __dict__:
335392
temp_backed_by = self.__temp_backed_by
336-
if is_dict_available(owner):
393+
temp_use_dict = self.__temp_use_dict
394+
dict_available = is_dict_available(owner)
395+
owner_slots = class_slots(owner)
396+
use_dict = dict_available if temp_use_dict is None else temp_use_dict
397+
if use_dict:
398+
if not dict_available:
399+
raise TypeError(
400+
"Cannot set use_dict=True in descriptor constructor: "
401+
"__dict__ not available on instances of owner class."
402+
)
337403
if temp_backed_by is None:
338404
temp_backed_by = name
339-
use_dict = temp_backed_by == name
340-
assert (
341-
not use_dict
342-
or not hasattr(owner, "__slots__")
343-
or name not in owner.__slots__
344-
)
345405
else:
346-
assert hasattr(owner, "__slots__"), dir(owner)
406+
if owner_slots is None:
407+
raise TypeError(
408+
"Slots are not available on descriptor owner class: "
409+
"please set use_dict=True in the descriptor constructor."
410+
)
347411
if temp_backed_by is None:
348412
if name.startswith("_"):
349413
temp_backed_by = f"_{name}"
350414
else:
351415
temp_backed_by = f"__{name}"
352-
use_dict = False
353-
if temp_backed_by not in owner.__slots__:
416+
if temp_backed_by not in owner_slots:
354417
raise TypeError(
355-
"When __slots__ are used and __dict__ is not available, "
356-
f"the name of the backing attribtue {temp_backed_by!r} "
357-
"must appear in __slots__."
418+
f"Backing attribute {temp_backed_by!r} does not appear in "
419+
"the slots of the descriptor owner class. You can either: "
420+
"(i) add the backing attribute name to the __slots__, or "
421+
"(ii) set use_dict=True in the descriptor constructor, "
422+
"as long as __dict__ is available on owner class instances."
358423
)
359-
# if not hasattr(owner, "__slots__"):
360-
# assert hasattr(owner, "__dict__"), dir(owner)
361-
# if temp_backed_by is None:
362-
# temp_backed_by = name
363-
# use_dict = temp_backed_by == name
364-
# else: # owner has __slots__ defined
365-
# __slots__ = owner.__slots__
366-
# if temp_backed_by in __slots__:
367-
# assert temp_backed_by is not None
368-
# use_dict = False
369-
# elif hasattr(owner, "__dict__"):
370-
# if temp_backed_by is None:
371-
# temp_backed_by = name
372-
# use_dict = temp_backed_by == name
373-
# else:
374-
# # __dict__ is not available and
375-
# use_dict = False
376-
# if temp_backed_by is None:
377-
# if name.startswith("_"):
378-
# temp_backed_by = f"_{name}"
379-
# else:
380-
# temp_backed_by = f"__{name}"
381-
# if temp_backed_by not in __slots__:
382-
# raise TypeError(
383-
# "When __slots__ are used and __dict__ is not available, "
384-
# f"the name of the backing attribtue {temp_backed_by!r} "
385-
# "must appear in __slots__."
386-
# )
387424
backed_by = name_mangle(owner, temp_backed_by)
388425
# 4. Set owner, name (not name-mangled) and backed_by (name-mangled):
389426
self.__owner = owner

0 commit comments

Comments
 (0)