Есть ли способ использовать класс данных, с полями по умолчанию, с __slots__ - PullRequest
0 голосов
/ 14 декабря 2018

Я хотел бы поместить __slots__ в класс данных с полями по умолчанию.Когда я пытаюсь сделать это, я получаю эту ошибку:

>>> @dataclass
... class C:
...     __slots__ = ('x', 'y', )
...     x: int
...     y: int = 1
...     
Traceback (most recent call last):
  File "<input>", line 1, in <module>
ValueError: 'y' in __slots__ conflicts with class variable

Есть ли способ добиться этого?

1 Ответ

0 голосов
/ 14 декабря 2018

При использовании декоратора @ add_slots от ericvsmith :

import dataclasses

def add_slots(cls):
    # Need to create a new class, since we can't set __slots__
    #  after a class has been created.

    # Make sure __slots__ isn't already set.
    if '__slots__' in cls.__dict__:
        raise TypeError(f'{cls.__name__} already specifies __slots__')

    # Create a new dict for our new class.
    cls_dict = dict(cls.__dict__)
    field_names = tuple(f.name for f in dataclasses.fields(cls))
    cls_dict['__slots__'] = field_names
    for field_name in field_names:
        # Remove our attributes, if present. They'll still be
        #  available in _MARKER.
        cls_dict.pop(field_name, None)
    # Remove __dict__ itself.
    cls_dict.pop('__dict__', None)
    # And finally create the class.
    qualname = getattr(cls, '__qualname__', None)
    cls = type(cls)(cls.__name__, cls.__bases__, cls_dict)
    if qualname is not None:
        cls.__qualname__ = qualname
    return cls

Использование:

>>> @add_slots
... @dataclass
... class C:
...     __slots__ = ('x', 'y', )
...     x: int
...     y: int = 1

Добавление __slots__ вручную работает до тех пор, пока по умолчанию нет .Вы можете найти информацию о проблеме Github здесь

...