使用ABC混合的命名元组类

2022-03-25 00:00:00 python namedtuple python-3.6 abc

问题描述

我的问题如下:我想创建一个继承自tying.NamedTuple的类和抽象类中的另一个混合类。理想情况下,我希望这样做:

from typing import *
from abc import ABC, abstractmethod

class M(ABC):
    @abstractmethod
    def m(self, it: Iterable[str]) -> str:
        pass

class N(NamedTuple, M):
    attr1: str

    def m(self, it):
        return self.attr1 + it

当我现在尝试执行此操作时,收到以下错误:

TypeError: metaclass conflict: the metaclass of a derived class must be a (non-strict) subclass of the metaclasses of all its bases

我知道我可以这样做:

from typing import *
from abc import ABC, abstractmethod

class M(ABC):
    @abstractmethod
    def m(self, it: Iterable[str]) -> str:
        pass

class NT(NamedTuple):
    attr1: str

class N(NT, M):
    def m(self, it):
        return self.attr1 + it

但我不想这样做,因为它看起来有点粗俗,并且定义了我实际要使用的类数量的2倍。我还在寻找一种解决方案,理想地以某种方式更改M,而不是每次创建N时必须指定的内容。


解决方案

您需要定义组合元类。在这种情况下,使其成为M

的元类就足够了
from typing import *
from abc import ABCMeta, abstractmethod

class NamedTupleABCMeta(ABCMeta, NamedTupleMeta):
    pass

class M(metaclass=NamedTupleABCMeta):
    @abstractmethod
    def m(self, it: Iterable[str]) -> str:
        pass

class N(NamedTuple, M):
    attr1: str
    def m(self, it):
        return self.attr1 + it

相关文章