调用父类函数来比较父类和子类

时间:2018-06-13 13:11:46

标签: python c++ class methods

我正在做Python课程,并且使用父母重写函数来比较弹出的父类和子类。基本上是:

class A(object):
    def __init__(self,a):
        self.a = a

    def __lt__(self,other):
        return self.a < other.a

class B(A):
    def __init__(self,a,b):
        self.a = a
        self.b = b

    def __lt__(self,other):
        return self.b < other.b

a = A(2)
b = B(1,3)
print(a < b)
#print(b < a) # AttributeError: 'A' object has no attribuite 'b'
print(A.__lt__(b,a)) # so we call this instead

现在,我想在C ++中做同样的事情

class A{
    int a;
public:
    A(int a) : a(a) {}
    bool operator<(A t){ return a < t.a; }
};

class B: public A{
    int b;
public:
    B(int a, int b) : A(a), b(b) {}
    bool operator<(B t){ return b < t.b; }
};

int main()
{
    A a(2);
    B b(3,1);

    std::cout << (a < b) << std::endl;
    //std::cout << (b < a); // error, A has no b attribute
    //std::cout << A::operator<(dynamic_cast<A&>(b),a); // basically what I would like to happen
    std::cout << a.operator<(dynamic_cast<A&>(b)) << std::endl; // here I would like to reverse a and b

    return 0;
}

必须有一种方法可以做到这一点,我不知道它是否只是缺乏C ++方法的知识。

我知道我可以重载运算符&gt; =而不是这一点,比较只是一个例子。

1 个答案:

答案 0 :(得分:1)

免责声明:这些事情在实际代码中从未做过,至少比较一下。这只是一些C ++结构的使用示例。

变式1:静态调度。

class A{
    int a;
public:
    A(int a) : a(a) {}
    friend bool operator<(A& x, A& y){ return x.a < y.a; }
};

class B: public A{
    int b;
public:
    B(int a, int b) : A(a), b(b) {}
    friend bool operator<(B& x, B& y){ return x.b < y.b; }
};

此代码根据 static 类型比较A和B对象。所以如果你有:

B b(0, 42);
A& a = b;

a在比较中的行为与A相同。该系统基于运营商重载。

变式2:动态调度。

class A;
class B;

class A{
    int a;
public:
    A(int a) : a(a) {}
    virtual ~A() {}
    bool operator<(A& t){ return t.compare(*this); }
protected:
    virtual bool compare (A& t);
    virtual bool compare (B& t);
};

class B: public A{
    int b;
public:
    B(int a, int b) : A(a), b(b) {}
protected:
    bool compare (A& t) override;
    bool compare (B& t) override;
};

bool A::compare(A& t) { return t.a < a; }
bool A::compare(B& t) { return t.a < a; }
bool B::compare(A& t) { return A::compare(t); }
bool B::compare(B& t) { return t.b < b; }

此代码根据动态类型比较A和B对象。所以如果你有:

B b(0, 42);
A& a = b;

a在比较中的行为与B相同。该系统基于双动态调度,有时也称为访客模式。