Skip to content

Commit 503af8f

Browse files
gh-117482: Make the Slot Wrapper Inheritance Tests Much More Thorough (gh-122867)
There were a still a number of gaps in the tests, including not looking at all the builtin types and not checking wrappers in subinterpreters that weren't in the main interpreter. This fixes all that. I considered incorporating the names of the PyTypeObject fields (a la gh-122866), but figured doing so doesn't add much value.
1 parent ab094d1 commit 503af8f

File tree

6 files changed

+268
-54
lines changed

6 files changed

+268
-54
lines changed

Include/internal/pycore_typeobject.h

+6
Original file line numberDiff line numberDiff line change
@@ -183,6 +183,9 @@ PyAPI_FUNC(int) _PyStaticType_InitForExtension(
183183
PyInterpreterState *interp,
184184
PyTypeObject *self);
185185

186+
// Export for _testinternalcapi extension.
187+
PyAPI_FUNC(PyObject *) _PyStaticType_GetBuiltins(void);
188+
186189

187190
/* Like PyType_GetModuleState, but skips verification
188191
* that type is a heap type with an associated module */
@@ -209,6 +212,9 @@ extern PyObject* _PyType_GetSubclasses(PyTypeObject *);
209212
extern int _PyType_HasSubclasses(PyTypeObject *);
210213
PyAPI_FUNC(PyObject *) _PyType_GetModuleByDef2(PyTypeObject *, PyTypeObject *, PyModuleDef *);
211214

215+
// Export for _testinternalcapi extension.
216+
PyAPI_FUNC(PyObject *) _PyType_GetSlotWrapperNames(void);
217+
212218
// PyType_Ready() must be called if _PyType_IsReady() is false.
213219
// See also the Py_TPFLAGS_READY flag.
214220
static inline int

Lib/test/support/__init__.py

+133-9
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,7 @@
55

66
import contextlib
77
import functools
8+
import inspect
89
import _opcode
910
import os
1011
import re
@@ -892,8 +893,16 @@ def calcvobjsize(fmt):
892893
return struct.calcsize(_vheader + fmt + _align)
893894

894895

895-
_TPFLAGS_HAVE_GC = 1<<14
896+
_TPFLAGS_STATIC_BUILTIN = 1<<1
897+
_TPFLAGS_DISALLOW_INSTANTIATION = 1<<7
898+
_TPFLAGS_IMMUTABLETYPE = 1<<8
896899
_TPFLAGS_HEAPTYPE = 1<<9
900+
_TPFLAGS_BASETYPE = 1<<10
901+
_TPFLAGS_READY = 1<<12
902+
_TPFLAGS_READYING = 1<<13
903+
_TPFLAGS_HAVE_GC = 1<<14
904+
_TPFLAGS_BASE_EXC_SUBCLASS = 1<<30
905+
_TPFLAGS_TYPE_SUBCLASS = 1<<31
897906

898907
def check_sizeof(test, o, size):
899908
try:
@@ -2608,19 +2617,121 @@ def copy_python_src_ignore(path, names):
26082617
return ignored
26092618

26102619

2611-
def iter_builtin_types():
2612-
for obj in __builtins__.values():
2613-
if not isinstance(obj, type):
2620+
# XXX Move this to the inspect module?
2621+
def walk_class_hierarchy(top, *, topdown=True):
2622+
# This is based on the logic in os.walk().
2623+
assert isinstance(top, type), repr(top)
2624+
stack = [top]
2625+
while stack:
2626+
top = stack.pop()
2627+
if isinstance(top, tuple):
2628+
yield top
26142629
continue
2615-
cls = obj
2616-
if cls.__module__ != 'builtins':
2630+
2631+
subs = type(top).__subclasses__(top)
2632+
if topdown:
2633+
# Yield before subclass traversal if going top down.
2634+
yield top, subs
2635+
# Traverse into subclasses.
2636+
for sub in reversed(subs):
2637+
stack.append(sub)
2638+
else:
2639+
# Yield after subclass traversal if going bottom up.
2640+
stack.append((top, subs))
2641+
# Traverse into subclasses.
2642+
for sub in reversed(subs):
2643+
stack.append(sub)
2644+
2645+
2646+
def iter_builtin_types():
2647+
# First try the explicit route.
2648+
try:
2649+
import _testinternalcapi
2650+
except ImportError:
2651+
_testinternalcapi = None
2652+
if _testinternalcapi is not None:
2653+
yield from _testinternalcapi.get_static_builtin_types()
2654+
return
2655+
2656+
# Fall back to making a best-effort guess.
2657+
if hasattr(object, '__flags__'):
2658+
# Look for any type object with the Py_TPFLAGS_STATIC_BUILTIN flag set.
2659+
import datetime
2660+
seen = set()
2661+
for cls, subs in walk_class_hierarchy(object):
2662+
if cls in seen:
2663+
continue
2664+
seen.add(cls)
2665+
if not (cls.__flags__ & _TPFLAGS_STATIC_BUILTIN):
2666+
# Do not walk its subclasses.
2667+
subs[:] = []
2668+
continue
2669+
yield cls
2670+
else:
2671+
# Fall back to a naive approach.
2672+
seen = set()
2673+
for obj in __builtins__.values():
2674+
if not isinstance(obj, type):
2675+
continue
2676+
cls = obj
2677+
# XXX?
2678+
if cls.__module__ != 'builtins':
2679+
continue
2680+
if cls == ExceptionGroup:
2681+
# It's a heap type.
2682+
continue
2683+
if cls in seen:
2684+
continue
2685+
seen.add(cls)
2686+
yield cls
2687+
2688+
2689+
# XXX Move this to the inspect module?
2690+
def iter_name_in_mro(cls, name):
2691+
"""Yield matching items found in base.__dict__ across the MRO.
2692+
2693+
The descriptor protocol is not invoked.
2694+
2695+
list(iter_name_in_mro(cls, name))[0] is roughly equivalent to
2696+
find_name_in_mro() in Objects/typeobject.c (AKA PyType_Lookup()).
2697+
2698+
inspect.getattr_static() is similar.
2699+
"""
2700+
# This can fail if "cls" is weird.
2701+
for base in inspect._static_getmro(cls):
2702+
# This can fail if "base" is weird.
2703+
ns = inspect._get_dunder_dict_of_class(base)
2704+
try:
2705+
obj = ns[name]
2706+
except KeyError:
26172707
continue
2618-
yield cls
2708+
yield obj, base
26192709

26202710

2621-
def iter_slot_wrappers(cls):
2622-
assert cls.__module__ == 'builtins', cls
2711+
# XXX Move this to the inspect module?
2712+
def find_name_in_mro(cls, name, default=inspect._sentinel):
2713+
for res in iter_name_in_mro(cls, name):
2714+
# Return the first one.
2715+
return res
2716+
if default is not inspect._sentinel:
2717+
return default, None
2718+
raise AttributeError(name)
2719+
2720+
2721+
# XXX The return value should always be exactly the same...
2722+
def identify_type_slot_wrappers():
2723+
try:
2724+
import _testinternalcapi
2725+
except ImportError:
2726+
_testinternalcapi = None
2727+
if _testinternalcapi is not None:
2728+
names = {n: None for n in _testinternalcapi.identify_type_slot_wrappers()}
2729+
return list(names)
2730+
else:
2731+
raise NotImplementedError
2732+
26232733

2734+
def iter_slot_wrappers(cls):
26242735
def is_slot_wrapper(name, value):
26252736
if not isinstance(value, types.WrapperDescriptorType):
26262737
assert not repr(value).startswith('<slot wrapper '), (cls, name, value)
@@ -2630,6 +2741,19 @@ def is_slot_wrapper(name, value):
26302741
assert name.startswith('__') and name.endswith('__'), (cls, name, value)
26312742
return True
26322743

2744+
try:
2745+
attrs = identify_type_slot_wrappers()
2746+
except NotImplementedError:
2747+
attrs = None
2748+
if attrs is not None:
2749+
for attr in sorted(attrs):
2750+
obj, base = find_name_in_mro(cls, attr, None)
2751+
if obj is not None and is_slot_wrapper(attr, obj):
2752+
yield attr, base is cls
2753+
return
2754+
2755+
# Fall back to a naive best-effort approach.
2756+
26332757
ns = vars(cls)
26342758
unused = set(ns)
26352759
for name in dir(cls):

Lib/test/test_embed.py

+33-24
Original file line numberDiff line numberDiff line change
@@ -420,45 +420,54 @@ def test_datetime_reset_strptime(self):
420420
def test_static_types_inherited_slots(self):
421421
script = textwrap.dedent("""
422422
import test.support
423-
424-
results = {}
425-
def add(cls, slot, own):
426-
value = getattr(cls, slot)
427-
try:
428-
subresults = results[cls.__name__]
429-
except KeyError:
430-
subresults = results[cls.__name__] = {}
431-
subresults[slot] = [repr(value), own]
432-
423+
results = []
433424
for cls in test.support.iter_builtin_types():
434-
for slot, own in test.support.iter_slot_wrappers(cls):
435-
add(cls, slot, own)
425+
for attr, _ in test.support.iter_slot_wrappers(cls):
426+
wrapper = getattr(cls, attr)
427+
res = (cls, attr, wrapper)
428+
results.append(res)
429+
results = ((repr(c), a, repr(w)) for c, a, w in results)
436430
""")
431+
def collate_results(raw):
432+
results = {}
433+
for cls, attr, wrapper in raw:
434+
key = cls, attr
435+
assert key not in results, (results, key, wrapper)
436+
results[key] = wrapper
437+
return results
437438

438439
ns = {}
439440
exec(script, ns, ns)
440-
all_expected = ns['results']
441+
main_results = collate_results(ns['results'])
441442
del ns
442443

443444
script += textwrap.dedent("""
444445
import json
445446
import sys
446-
text = json.dumps(results)
447+
text = json.dumps(list(results))
447448
print(text, file=sys.stderr)
448449
""")
449450
out, err = self.run_embedded_interpreter(
450451
"test_repeated_init_exec", script, script)
451-
results = err.split('--- Loop #')[1:]
452-
results = [res.rpartition(' ---\n')[-1] for res in results]
453-
452+
_results = err.split('--- Loop #')[1:]
453+
(_embedded, _reinit,
454+
) = [json.loads(res.rpartition(' ---\n')[-1]) for res in _results]
455+
embedded_results = collate_results(_embedded)
456+
reinit_results = collate_results(_reinit)
457+
458+
for key, expected in main_results.items():
459+
cls, attr = key
460+
for src, results in [
461+
('embedded', embedded_results),
462+
('reinit', reinit_results),
463+
]:
464+
with self.subTest(src, cls=cls, slotattr=attr):
465+
actual = results.pop(key)
466+
self.assertEqual(actual, expected)
454467
self.maxDiff = None
455-
for i, text in enumerate(results, start=1):
456-
result = json.loads(text)
457-
for classname, expected in all_expected.items():
458-
with self.subTest(loop=i, cls=classname):
459-
slots = result.pop(classname)
460-
self.assertEqual(slots, expected)
461-
self.assertEqual(result, {})
468+
self.assertEqual(embedded_results, {})
469+
self.assertEqual(reinit_results, {})
470+
462471
self.assertEqual(out, '')
463472

464473
def test_getargs_reset_static_parser(self):

Lib/test/test_types.py

+39-21
Original file line numberDiff line numberDiff line change
@@ -2396,35 +2396,53 @@ def setUpClass(cls):
23962396
def test_static_types_inherited_slots(self):
23972397
rch, sch = interpreters.channels.create()
23982398

2399-
slots = []
2400-
script = ''
2401-
for cls in iter_builtin_types():
2402-
for slot, own in iter_slot_wrappers(cls):
2403-
if cls is bool and slot in self.NUMERIC_METHODS:
2399+
script = textwrap.dedent("""
2400+
import test.support
2401+
results = []
2402+
for cls in test.support.iter_builtin_types():
2403+
for attr, _ in test.support.iter_slot_wrappers(cls):
2404+
wrapper = getattr(cls, attr)
2405+
res = (cls, attr, wrapper)
2406+
results.append(res)
2407+
results = tuple((repr(c), a, repr(w)) for c, a, w in results)
2408+
sch.send_nowait(results)
2409+
""")
2410+
def collate_results(raw):
2411+
results = {}
2412+
for cls, attr, wrapper in raw:
2413+
# XXX This should not be necessary.
2414+
if cls == repr(bool) and attr in self.NUMERIC_METHODS:
24042415
continue
2405-
slots.append((cls, slot, own))
2406-
script += textwrap.dedent(f"""
2407-
text = repr({cls.__name__}.{slot})
2408-
sch.send_nowait(({cls.__name__!r}, {slot!r}, text))
2409-
""")
2416+
key = cls, attr
2417+
assert key not in results, (results, key, wrapper)
2418+
results[key] = wrapper
2419+
return results
24102420

24112421
exec(script)
2412-
all_expected = []
2413-
for cls, slot, _ in slots:
2414-
result = rch.recv()
2415-
assert result == (cls.__name__, slot, result[-1]), (cls, slot, result)
2416-
all_expected.append(result)
2422+
raw = rch.recv_nowait()
2423+
main_results = collate_results(raw)
24172424

24182425
interp = interpreters.create()
24192426
interp.exec('from test.support import interpreters')
24202427
interp.prepare_main(sch=sch)
24212428
interp.exec(script)
2422-
2423-
for i, (cls, slot, _) in enumerate(slots):
2424-
with self.subTest(cls=cls, slot=slot):
2425-
expected = all_expected[i]
2426-
result = rch.recv()
2427-
self.assertEqual(result, expected)
2429+
raw = rch.recv_nowait()
2430+
interp_results = collate_results(raw)
2431+
2432+
for key, expected in main_results.items():
2433+
cls, attr = key
2434+
with self.subTest(cls=cls, slotattr=attr):
2435+
actual = interp_results.pop(key)
2436+
# XXX This should not be necessary.
2437+
if cls == "<class 'collections.OrderedDict'>" and attr == '__len__':
2438+
continue
2439+
self.assertEqual(actual, expected)
2440+
# XXX This should not be necessary.
2441+
interp_results = {k: v for k, v in interp_results.items() if k[1] != '__hash__'}
2442+
# XXX This should not be necessary.
2443+
interp_results.pop(("<class 'collections.OrderedDict'>", '__getitem__'), None)
2444+
self.maxDiff = None
2445+
self.assertEqual(interp_results, {})
24282446

24292447

24302448
if __name__ == '__main__':

Modules/_testinternalcapi.c

+16
Original file line numberDiff line numberDiff line change
@@ -2035,6 +2035,20 @@ gh_119213_getargs_impl(PyObject *module, PyObject *spam)
20352035
}
20362036

20372037

2038+
static PyObject *
2039+
get_static_builtin_types(PyObject *self, PyObject *Py_UNUSED(ignored))
2040+
{
2041+
return _PyStaticType_GetBuiltins();
2042+
}
2043+
2044+
2045+
static PyObject *
2046+
identify_type_slot_wrappers(PyObject *self, PyObject *Py_UNUSED(ignored))
2047+
{
2048+
return _PyType_GetSlotWrapperNames();
2049+
}
2050+
2051+
20382052
static PyMethodDef module_functions[] = {
20392053
{"get_configs", get_configs, METH_NOARGS},
20402054
{"get_recursion_depth", get_recursion_depth, METH_NOARGS},
@@ -2129,6 +2143,8 @@ static PyMethodDef module_functions[] = {
21292143
{"uop_symbols_test", _Py_uop_symbols_test, METH_NOARGS},
21302144
#endif
21312145
GH_119213_GETARGS_METHODDEF
2146+
{"get_static_builtin_types", get_static_builtin_types, METH_NOARGS},
2147+
{"identify_type_slot_wrappers", identify_type_slot_wrappers, METH_NOARGS},
21322148
{NULL, NULL} /* sentinel */
21332149
};
21342150

0 commit comments

Comments
 (0)