我有一个抽象基类“Parent”,它带有一个纯虚方法和一个子类“Child”,它实现了这个方法和一个成员“value”。我将子类的对象实例化为shared_ptr,作为动态绑定的一种方式。我在这里使用shared_ptr而不是引用,因为我将这些对象存储在std :: vector中。
现在我想比较源代码底部定义的两个对象“someObject”和“anotherObject”。因此,我在相应的Child类中覆盖了==运算符。然而,只调用shared_ptr的==运算符。我可以对后面的动态绑定对象进行比较吗?
/*
* Parent.h
*/
class Parent{
public:
virtual ~Parent(){};
virtual void someFunction() = 0;
};
/*
* Child.h
*/
class Child : public Base{
private:
short value;
public:
Child(short value);
virtual ~Child();
bool operator==(const Child &other) const;
void someFunction();
};
/*
* Child.cpp
*/
#include "Child.h"
Child::Child(short value):value(value){}
Child::~Child() {}
void Child::someFunction(){...}
bool Child::operator==(const Child &other) const {
if(this->value==other.value){
return true;
}
return false;
}
/*
* Some Method
*/
std::shared_ptr<Parent> someObject(new Child(3));
std::shared_ptr<Parent> anotherObject(new Child(4));
//!!!calls == operator for shared_ptr, but not for Child
if(someObject==anotherObject){
//do sth
}
我感谢这里的任何输入!谢谢。
最佳,
答案 0 :(得分:5)
如果静态已知类型为Parent
(且确实如此),则需要为operator==
定义Parent
。
虚拟operator==
存在问题,但假设您在课程operator==
中有一些Parent
,虚拟或非虚拟,那么
std::shared_ptr<Parent> someObject(new Child(3));
std::shared_ptr<Parent> anotherObject(new Child(4));
//calls == operator for Parent
if( *someObject == *anotherObject){
//do sth
}
如果没有解除引用*
(或某些等效项),您只需比较shared_ptr
实例,就像您发现的那样。
答案 1 :(得分:2)
作为Alf suggested,你需要更改if
语句来比较对象本身而不是指针。
此外,如果存在需要特殊处理以确定它们是否相等的子类型,则operator==
需要按照虚拟函数进行实际比较。
bool Parent::operator==(const Parent& other) const
{
return equals(other);
}
bool Child::equals(const Parent& other) const
{
Child * otherChild = dynamic_cast<Child*>(&other);
if (otherChild != NULL)
// compare child to child
else
// compare child to other type
}