Skip to content

API Reference

Callback-based object proxies in Python.

MissingStateError

Bases: RuntimeError

Raised when a proxy object is accessed without a state.

ProxyStateLookup

Bases: Protocol[_T]

A protocol for objects that looks up the state of a proxy every time it is accessed.

If the state lookup fails, a LookupError must be raised. It is then converted to MissingStateError and handled by the proxy instance, which might be finally propagated to the caller.

Note

All ContextVar objects are valid proxy state lookups.

get()

Get the current state of the proxy.

Source code in proxyvars/__init__.py
449
450
def get(self) -> _T:
    """Get the current state of the proxy."""

set(value)

Overwrite the current state of the proxy.

Source code in proxyvars/__init__.py
452
453
def set(self, value: _T, /) -> Any:
    """Overwrite the current state of the proxy."""

proxy_descriptor(get_state, overwrite_state, *, class_value=_MISSING, implementation=_MISSING, try_state_first=False, on_missing_state=None, on_attribute_error=None, is_inplace_method=False)

Proxy descriptor factory for composing proxy classes on the fly.

Source code in proxyvars/__init__.py
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
def proxy_descriptor(  # noqa: C901
    get_state: Callable[..., _T],
    overwrite_state: Callable[[_T], None],
    *,
    class_value: object = _MISSING,
    implementation: object = _MISSING,
    try_state_first: bool = False,
    on_missing_state: Callable[..., Any] | None = None,
    on_attribute_error: Callable[..., Any] | None = None,
    is_inplace_method: bool = False,
) -> Any:
    """Proxy descriptor factory for composing proxy classes on the fly."""
    attribute_name: str

    class ProxyDescriptor:
        """
        Descriptor that handles proxied attribute lookup.

        Similar to `werkzeug.local._ProxyLookup`.
        """

        def __set_name__(self, _: type[_T], name: str) -> None:
            nonlocal attribute_name
            attribute_name = name

        def __get__(self, instance: _T, _: type[_T] | None = None) -> Any:  # noqa: C901
            nonlocal attribute_name

            if instance is None and class_value is not _MISSING:
                return class_value

            if try_state_first:
                with suppress(MissingStateError):
                    return getattr(get_state(), attribute_name)

            if implementation is not _MISSING:
                return implementation

            try:
                state = get_state()

            except MissingStateError:
                if not callable(on_missing_state):
                    raise
                attribute = on_missing_state

            else:
                try:
                    attribute = getattr(state, attribute_name)
                except AttributeError:
                    if not callable(on_attribute_error):
                        raise

                    attribute = partial(on_attribute_error, state)

            if is_inplace_method:

                def inplace_method(*args: object, **kwargs: object) -> _T:
                    if not callable(attribute):
                        msg = (
                            f"Cannot overwrite object {state!r} "
                            f"because {attribute_name!r} is not a method "
                            "(must be callable)"
                        )
                        raise TypeError(msg)

                    new_state = attribute(*args, **kwargs)
                    overwrite_state(new_state)
                    return instance

                return inplace_method

            return attribute

        def __set__(self, _: object, value: object) -> None:
            nonlocal attribute_name
            setattr(get_state(), attribute_name, value)

        def __delete__(self, _: object) -> None:
            nonlocal attribute_name
            delattr(get_state(), attribute_name)

    return ProxyDescriptor()

proxy(get_state, overwrite_state=None, cls=None, proxy_base_cls=object, proxy_metaclass=type, namespace_overwrites=None)

Create a proxy object.

Parameters:

  • get_state (Callable[..., _T]) –

    A callable that returns the current state of the proxy.

  • overwrite_state (Callable[[_T], None] | None, default: None ) –

    A callable that overwrites the current state of the proxy. If not provided, the proxy is read-only and its state cannot be overwritten.

  • cls (type[_T] | None, default: None ) –

    The class of the object to be proxied.

  • proxy_base_cls (type[object], default: object ) –

    The base class of the proxy object. This is useful if you want add custom descriptors to the result proxy object.

  • proxy_metaclass (type[type], default: type ) –

    The metaclass of the proxy object. This is useful if you want add custom descriptors to the result proxy object.

  • namespace_overwrites (Mapping[str, object] | None, default: None ) –

    A mapping of attribute names to values that the namespace of the Proxy class will be updated with before the class's creation.

Source code in proxyvars/__init__.py
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
def proxy(
    get_state: Callable[..., _T],
    overwrite_state: Callable[[_T], None] | None = None,
    cls: type[_T] | None = None,
    proxy_base_cls: type[object] = object,
    proxy_metaclass: type[type] = type,
    namespace_overwrites: Mapping[str, object] | None = None,
) -> _T:
    """
    Create a proxy object.

    Parameters
    ----------
    get_state
        A callable that returns the current state of the proxy.
    overwrite_state
        A callable that overwrites the current state of the proxy.
        If not provided, the proxy is read-only and its state cannot be overwritten.
    cls
        The class of the object to be proxied.
    proxy_base_cls
        The base class of the proxy object.
        This is useful if you want add custom descriptors to the result proxy object.
    proxy_metaclass
        The metaclass of the proxy object.
        This is useful if you want add custom descriptors to the result proxy object.
    namespace_overwrites
        A mapping of attribute names to values that the namespace
        of the Proxy class will be updated with before the class's creation.

    """
    if overwrite_state is None:
        overwrite_state = _readonly_proxy_overwrite_state

    descriptor = partial(proxy_descriptor, get_state, overwrite_state)

    class Proxy(
        proxy_base_cls,  # type: ignore[misc,valid-type]
        metaclass=lambda name, bases, namespace: proxy_metaclass(  # type: ignore[misc]
            name,
            bases,
            {**namespace, **(namespace_overwrites or {})},
        ),
    ):
        """
        A class whose instance proxies %(cls_name)s.

        Similar to `werkzeug.local.LocalProxy`.
        """

        if cls is None:
            __doc__ = descriptor(
                class_value=__doc__ and __doc__ % {"cls_name": "other object"},
            )
            __dir__ = descriptor()
            __class__ = descriptor()
        else:
            __doc__ = descriptor(
                class_value=__doc__ and __doc__ % {"cls_name": repr(cls.__name__)},
            )
            __dir__ = descriptor(on_missing_state=lambda: dir(cls))
            __class__ = descriptor(implementation=cls)
        __wrapped__ = descriptor()
        __repr__, __str__ = repeat(
            descriptor(
                implementation=lambda: (
                    "<object (no state)>"
                    if cls is None
                    else f"<{cls.__name__!r} object (no state)>"
                ),
                try_state_first=True,
            ),
            times=2,
        )
        __bytes__ = descriptor()
        __format__ = descriptor()
        __lt__ = descriptor()
        __le__ = descriptor()
        __eq__ = descriptor()
        __ne__ = descriptor()
        __gt__ = descriptor()
        __ge__ = descriptor()
        __hash__ = descriptor()
        __bool__ = descriptor(
            on_missing_state=lambda: False,
            on_attribute_error=operator.truth,
        )
        __getattr__ = descriptor(
            implementation=lambda name: getattr(get_state(), name),
        )
        __setattr__ = descriptor()
        __delattr__ = descriptor()
        __call__ = descriptor()
        __instancecheck__ = descriptor()
        __subclasscheck__ = descriptor()
        __len__ = descriptor()
        __length_hint__ = descriptor()
        __getitem__ = descriptor(on_attribute_error=_try_classgetitem)
        __setitem__ = descriptor()
        __delitem__ = descriptor()
        __iter__ = descriptor()
        __next__ = descriptor()
        __reversed__ = descriptor()
        __contains__ = descriptor()
        __add__ = descriptor()
        __sub__ = descriptor()
        __mul__ = descriptor()
        __matmul__ = descriptor()
        __truediv__ = descriptor()
        __floordiv__ = descriptor()
        __mod__ = descriptor()
        __divmod__ = descriptor()
        __pow__ = descriptor()
        __lshift__ = descriptor()
        __rshift__ = descriptor()
        __and__ = descriptor()
        __xor__ = descriptor()
        __or__ = descriptor()
        __radd__ = descriptor()
        __rsub__ = descriptor()
        __rmul__ = descriptor()
        __rmatmul__ = descriptor()
        __rtruediv__ = descriptor()
        __rfloordiv__ = descriptor()
        __rmod__ = descriptor()
        __rdivmod__ = descriptor()
        __rpow__ = descriptor()
        __rlshift__ = descriptor()
        __rrshift__ = descriptor()
        __rand__ = descriptor()
        __rxor__ = descriptor()
        __ror__ = descriptor()
        __iadd__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__add__"),
            is_inplace_method=True,
        )
        __isub__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__sub__"),
            is_inplace_method=True,
        )
        __imul__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__mul__"),
            is_inplace_method=True,
        )
        __imatmul__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__matmul__"),
            is_inplace_method=True,
        )
        __itruediv__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__truediv__"),
            is_inplace_method=True,
        )
        __ifloordiv__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__floordiv__"),
            is_inplace_method=True,
        )
        __imod__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__mod__"),
            is_inplace_method=True,
        )
        __ipow__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__pow__"),
            is_inplace_method=True,
        )
        __ilshift__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__lshift__"),
            is_inplace_method=True,
        )
        __irshift__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__rshift__"),
            is_inplace_method=True,
        )
        __iand__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__and__"),
            is_inplace_method=True,
        )
        __ixor__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__xor__"),
            is_inplace_method=True,
        )
        __ior__ = descriptor(
            on_attribute_error=_binary_op_use_instead("__or__"),
            is_inplace_method=True,
        )
        __neg__ = descriptor()
        __pos__ = descriptor()
        __abs__ = descriptor()
        __invert__ = descriptor()
        __complex__ = descriptor()
        __int__ = descriptor()
        __float__ = descriptor()
        __index__ = descriptor()
        __round__ = descriptor()
        __trunc__ = descriptor()
        __floor__ = descriptor()
        __ceil__ = descriptor()
        __enter__ = descriptor()
        __exit__ = descriptor()
        __await__ = descriptor()
        __aiter__ = descriptor()
        __anext__ = descriptor()
        __aenter__ = descriptor()
        __aexit__ = descriptor()
        __copy__ = descriptor()
        __deepcopy__ = descriptor()

    if cls is not None:
        Proxy.__name__ = Proxy.__qualname__ = cls.__name__
    else:
        Proxy.__name__ = Proxy.__qualname__ = f"proxy_{id(Proxy):x}"
    return cast(_T, Proxy())

const_proxy(state, cls, *, proxy_base_cls=object, proxy_metaclass=type, namespace_overwrites=None, weak=False, weakref_callback=None)

Create a proxy object that cheats class/instance checks with the given cls.

This proxy is guaranteed to refer to a state object with a constant ID.

Parameters:

  • state (object) –

    The state of the proxy to point to.

  • cls (type[_T]) –

    The class of the object to cheat class/instance checks with.

  • proxy_base_cls (type[object], default: object ) –

    The base class of the proxy object (default: object). This is useful if you want add custom descriptors to the result proxy object.

  • weak (bool, default: False ) –

    Whether to use a weak reference to the state.

  • weakref_callback (Callable[[object], None] | None, default: None ) –

    A callback that is called when the weak reference to the state is about to expire. See weakref.ref for details.

  • proxy_metaclass (type[type], default: type ) –

    The metaclass of the proxy object (default: type). This is useful if you want add custom descriptors to the result proxy object.

  • namespace_overwrites (Mapping[str, object] | None, default: None ) –

    A mapping of attribute names to values that the namespace of the Proxy class will be updated with before the class's creation.

Source code in proxyvars/__init__.py
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
def const_proxy(
    state: object,
    cls: type[_T],
    *,
    proxy_base_cls: type[object] = object,
    proxy_metaclass: type[type] = type,
    namespace_overwrites: Mapping[str, object] | None = None,
    weak: bool = False,
    weakref_callback: Callable[[object], None] | None = None,
) -> _T:
    """
    Create a proxy object that cheats class/instance checks with the given cls.

    This proxy is guaranteed to refer to a state object with a constant ID.

    Parameters
    ----------
    state
        The state of the proxy to point to.
    cls
        The class of the object to cheat class/instance checks with.
    proxy_base_cls
        The base class of the proxy object (default: `object`).
        This is useful if you want add custom descriptors to the result proxy object.
    weak
        Whether to use a weak reference to the state.
    weakref_callback
        A callback that is called when the weak reference to the state is about
        to expire. See [weakref.ref][] for details.
    proxy_metaclass
        The metaclass of the proxy object (default: `type`).
        This is useful if you want add custom descriptors to the result proxy object.
    namespace_overwrites
        A mapping of attribute names to values that the namespace
        of the Proxy class will be updated with before the class's creation.

    """
    if weakref_callback and not weak:
        msg = "weakref_callback requires weak=True"
        raise ValueError(msg)

    if weak:
        get_state = partial(
            _const_proxy_get_state_weak,
            weakref.ref(state, weakref_callback),
        )
    else:
        get_state = partial(_const_proxy_get_state, state)

    return proxy(
        cls=cls,
        get_state=get_state,
        overwrite_state=_readonly_proxy_overwrite_state,
        proxy_base_cls=proxy_base_cls,
        proxy_metaclass=proxy_metaclass,
        namespace_overwrites=namespace_overwrites,
    )

lookup_proxy(state_lookup, cls=None, state_lookup_get_state=None, state_lookup_overwrite_state=None, *, proxy_base_cls=object, proxy_metaclass=type, namespace_overwrites=None)

Create a proxy object that uses a ProxyStateLookup to lookup the state.

Parameters:

  • state_lookup (ProxyStateLookup[_T]) –

    The state lookup object. Must implement the ProxyStateLookup protocol. It will be used to lookup the state of the proxy every time it is accessed.

  • cls (type[_T] | None, default: None ) –

    The class of the object to be proxied.

  • proxy_base_cls (type[object], default: object ) –

    The base class of the proxy object (default: object). This is useful if you want add custom descriptors to the result proxy object.

  • proxy_metaclass (type[type], default: type ) –

    The metaclass of the proxy object (default: type). This is useful if you want add custom descriptors to the result proxy object.

  • namespace_overwrites (Mapping[str, object] | None, default: None ) –

    A mapping of attribute names to values that the namespace of the Proxy class will be updated with before the class's creation.

  • state_lookup_get_state (Callable[[ProxyStateLookup[_T]], _T] | None, default: None ) –

    A callable that returns the current state of the proxy. Defaults to state_lookup.get.

  • state_lookup_overwrite_state (Callable[[ProxyStateLookup[_T], _T], None] | None, default: None ) –

    A callable that overwrites the current state of the proxy.

Source code in proxyvars/__init__.py
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
def lookup_proxy(
    state_lookup: ProxyStateLookup[_T],
    cls: type[_T] | None = None,
    state_lookup_get_state: Callable[[ProxyStateLookup[_T]], _T] | None = None,
    state_lookup_overwrite_state: Callable[[ProxyStateLookup[_T], _T], None]
    | None = None,
    *,
    proxy_base_cls: type[object] = object,
    proxy_metaclass: type[type] = type,
    namespace_overwrites: Mapping[str, object] | None = None,
) -> _T:
    """
    Create a proxy object that uses a `ProxyStateLookup` to lookup the state.

    Parameters
    ----------
    state_lookup
        The state lookup object. Must implement the `ProxyStateLookup` protocol.
        It will be used to lookup the state of the proxy every time it is accessed.
    cls
        The class of the object to be proxied.
    proxy_base_cls
        The base class of the proxy object (default: `object`).
        This is useful if you want add custom descriptors to the result proxy object.
    proxy_metaclass
        The metaclass of the proxy object (default: `type`).
        This is useful if you want add custom descriptors to the result proxy object.
    namespace_overwrites
        A mapping of attribute names to values that the namespace
        of the Proxy class will be updated with before the class's creation.
    state_lookup_get_state
        A callable that returns the current state of the proxy.
        Defaults to `state_lookup.get`.
    state_lookup_overwrite_state
        A callable that overwrites the current state of the proxy.

    """
    if state_lookup_get_state is None:
        state_lookup_get_state = _lookup_proxy_get_state
    get_state = partial(state_lookup_get_state, state_lookup)

    if state_lookup_overwrite_state is None:
        state_lookup_overwrite_state = _lookup_proxy_overwrite_state
    overwrite_state = partial(state_lookup_overwrite_state, state_lookup)

    if cls is None:
        with suppress(MissingStateError):
            cls = type(get_state())

    return proxy(
        cls=cls,
        get_state=get_state,
        overwrite_state=overwrite_state,
        proxy_base_cls=proxy_base_cls,
        proxy_metaclass=proxy_metaclass,
        namespace_overwrites=namespace_overwrites,
    )

proxy_field_accessor(*path, proxy_var, cls=None, field_get_state=_proxy_field_get_state, field_overwrite_state=_proxy_field_overwrite_state, proxy_base_cls=object, proxy_metaclass=type, namespace_overwrites=None)

Create a proxy that accesses a (maybe nested) field of another proxy.

The valid usage of this function resembles the way to use the AliasPath class from Pydantic.

Examples:

>>> from types import SimpleNamespace
>>> proxy_var = proxy(lambda: [SimpleNamespace(attribute=["v1", "v2"])])
>>> namespace = proxy_field_accessor(0, proxy_var=proxy_var)
>>> namespace
namespace(attribute=['v1', 'v2'])
>>> items = proxy_field_accessor("attribute", proxy_var=namespace)
>>> items
['v1', 'v2']

We can now use a full path to the item with:

>>> items_again = proxy_field_accessor(0, "attribute", proxy_var=proxy_var)
>>> items_again
['v1', 'v2']
>>> items_again[0]
'v1'

Parameters:

  • path (object, default: () ) –

    The path to the field to be accessed. Each item in the path can be either a string (for attribute access) or an arbitrary object (for item access). This behavior that treats strings specially might be customized by passing custom field_get_state and field_overwrite_state functions.

    For example, the path ("a", 0, "b") would be equivalent to proxy_var.a[0].b. To change it the behavior to proxy_var["a"][0]["b"], pass field_overwrite_state=lambda o, f, v: o.__setitem__(o, f, v) to this function.

  • proxy_var (object) –

    The proxy object to be accessed.

  • cls (type[_T] | None, default: None ) –

    The class of the object to be proxied.

  • field_get_state (Callable[[Any, object], object], default: _proxy_field_get_state ) –

    A callable that gets a field from an object. Defaults to getattr for strings and .__getitem__() otherwise.

  • field_overwrite_state (Callable[[Any, object, object], None], default: _proxy_field_overwrite_state ) –

    A callable that overwrites a field of an object. Defaults to setattr for strings and .__setitem__() otherwise.

  • proxy_base_cls (type[object], default: object ) –

    The base class of the proxy object. This is useful if you want add custom descriptors to the result proxy object.

  • proxy_metaclass (type[type], default: type ) –

    The metaclass of the proxy object. This is useful if you want add custom descriptors to the result proxy object.

  • namespace_overwrites (Mapping[str, object] | None, default: None ) –

    A mapping of attribute names to values that the namespace of the Proxy class will be updated with before the class's creation.

Source code in proxyvars/__init__.py
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
def proxy_field_accessor(
    *path: object,
    proxy_var: object,
    cls: type[_T] | None = None,
    field_get_state: Callable[[Any, object], object] = _proxy_field_get_state,
    field_overwrite_state: Callable[
        [Any, object, object],
        None,
    ] = _proxy_field_overwrite_state,
    proxy_base_cls: type[object] = object,
    proxy_metaclass: type[type] = type,
    namespace_overwrites: Mapping[str, object] | None = None,
) -> _T:
    """
    Create a proxy that accesses a (maybe nested) field of another proxy.

    The valid usage of this function resembles the way to use [the `AliasPath` class
    from Pydantic](https://docs.pydantic.dev/2.7/concepts/alias/#aliaspath-and-aliaschoices).

    Examples
    --------
    >>> from types import SimpleNamespace
    >>> proxy_var = proxy(lambda: [SimpleNamespace(attribute=["v1", "v2"])])
    >>> namespace = proxy_field_accessor(0, proxy_var=proxy_var)
    >>> namespace
    namespace(attribute=['v1', 'v2'])
    >>> items = proxy_field_accessor("attribute", proxy_var=namespace)
    >>> items
    ['v1', 'v2']

    We can now use a full path to the item with:
    >>> items_again = proxy_field_accessor(0, "attribute", proxy_var=proxy_var)
    >>> items_again
    ['v1', 'v2']
    >>> items_again[0]
    'v1'

    Parameters
    ----------
    path
        The path to the field to be accessed.
        Each item in the path can be either a string (for attribute access)
        or an arbitrary object (for item access).
        This behavior that treats strings specially might be customized
        by passing custom `field_get_state` and `field_overwrite_state` functions.

        For example, the path `("a", 0, "b")` would be equivalent to
        `proxy_var.a[0].b`. To change it the behavior to `proxy_var["a"][0]["b"]`,
        pass `field_overwrite_state=lambda o, f, v: o.__setitem__(o, f, v)`
        to this function.
    proxy_var
        The proxy object to be accessed.
    cls
        The class of the object to be proxied.
    field_get_state
        A callable that gets a field from an object.
        Defaults to `getattr` for strings and `.__getitem__()` otherwise.
    field_overwrite_state
        A callable that overwrites a field of an object.
        Defaults to `setattr` for strings and `.__setitem__()` otherwise.
    proxy_base_cls
        The base class of the proxy object.
        This is useful if you want add custom descriptors to the result proxy object.
    proxy_metaclass
        The metaclass of the proxy object.
        This is useful if you want add custom descriptors to the result proxy object.
    namespace_overwrites
        A mapping of attribute names to values that the namespace
        of the Proxy class will be updated with before the class's creation.

    """
    if not path:
        msg = "proxy field path must not be empty"
        raise ValueError(msg)

    def get_state() -> _T:
        return cast(_T, reduce(field_get_state, path, proxy_var))

    def overwrite_state(state: _T) -> None:
        *path_there, last_field = path
        last_item = proxy_var
        if path_there:
            last_item = reduce(field_get_state, path_there, proxy_var)
        field_overwrite_state(last_item, last_field, state)

    return proxy(
        get_state,
        overwrite_state,
        cls=cls,
        proxy_base_cls=proxy_base_cls,
        proxy_metaclass=proxy_metaclass,
        namespace_overwrites=namespace_overwrites,
    )