0

我正在尝试使用 singledispatch 重载 Posicion 类中的这个函数并尝试遵循 OOP:

def __eq__(self, other):
    if isinstance(other, Posicion):
        return other.get_posicion() == self.get_posicion()

    elif type(other) == tuple:
        assert len(other) == 2, "La tupla pasada por parámetro debe constar de dos elementos"
        self.verificar_formato(other[0], other[1])

        return (other[0].upper(), other[1]) == self.get_posicion()

我尝试从 functools 库中应用 singledispatch,但遇到了与以下问题相同的错误:python3: singledispatch in class, how to dispatch self type。因为我正在尝试调度 self 类型。所以我尝试了

class _Posicion:
    def __init__(self, y, x):
    pass


class Posicion(_Posicion):
    def __init__(self, y, x):
        super()
        self.x = x
        self.y = y.upper()

    def get_posicion(self):
        return self.y, self.x

    @singledispatch
    def __eq__(self, other):
        raise NotImplementedError("Everything bad")
            

    @__eq__.register(_Posicion)
    def _(self, other):
        return other.get_posicion() == self.get_posicion()
    
    @__eq__.register(tuple)
    def _(self, other):
        assert len(other) == 2, "La tupla pasada por parametro debe constar de dos elementos"
        self.verificar_formato(other[0], other[1])

        return (other[0].upper(), other[1]) == self.get_posicion()


if __name__ == "__main__":
    Posicion('a', 1) == ('a', 1)
    

但它总是输入,@__eq__.register(_Posicion)如果我删除它总是输入 intdef __eq__(self, other):

对于这个问题的措辞可能不好,我再次道歉,并提前感谢您的帮助。如果还有其他需要补充的信息,请告诉我。

4

1 回答 1

1

我会混合使用鸭式打字和单次调度。

@singledispatchmethod
def __eq__(self, other):
    try:
        f = other.get_posicion
    except AttributeError:
        return (self is other) or NotImplemented

    return self.get_posicion() == f()

@__eq__.register(tuple)
def _(self, other):
    assert len(other) == 2, "La tupla pasada por parámetro debe constar de dos elementos"
    self.verificar_formato(other[0], other[1])

    return (other[0].upper(), other[1]) == self.get_posicion()

这略微削弱了您的尝试:我们允许将 a与任何实现可调用属性的对象进行比较,而不是坚持比较两个Posicion实例。如果失败,则仅根据对象标识进行比较,否则调用两个对象的方法并比较结果。Posicionget_posicion

我们检查的唯一显式类型是tuple,避免了Posicion对类定义本身内部的真实引用。(尽管如果你愿意,你可以安全地检查isinstance(other, Posicion) 定义;它__eq__只是作为尚未定义的参数。)singledispatchmethodPosicion

于 2021-07-16T17:00:04.303 回答