473,382 Members | 1,359 Online
Bytes | Software Development & Data Engineering Community
Post Job

Home Posts Topics Members FAQ

Join Bytes to post your question to a community of 473,382 software developers and data experts.

virtual == operator

how do i create a virtual == operator. I've tried the following but
it's incorrect...

class Interface
{
...

public:

virtual bool operator==(const Interface& rhs)const=0;
};

class MyClass : public Interface
{
...

public:

bool operator==(const MyClass& rhs)const;
};

thanks
Oct 20 '05 #1
8 17704

Floogle wrote:
how do i create a virtual == operator. I've tried the following but
it's incorrect...

class Interface
{
...

public:

virtual bool operator==(const Interface& rhs)const=0;
};

class MyClass : public Interface
{
...

public:

bool operator==(const MyClass& rhs)const;
};

thanks


operator== should be declared friend to keep its intuitive behaviour.
friend bool operator==(const Interface& d1,const Interface& d2);
It can't be virtual, then.
But it doesn't matter, because the parameter is reference, so you can
still use dynamic binding by supplying both ends with
MyClassObj1==MyClassObj2. You don't need to define it in MyClass.

Oct 20 '05 #2
Floogle wrote:
how do i create a virtual == operator. I've tried the following but
it's incorrect...

class Interface
{
...

public:

virtual bool operator==(const Interface& rhs)const=0;
};

class MyClass : public Interface
{
...

public:

bool operator==(const MyClass& rhs)const;
};


The argument has to be of the same type. Inside you can dynamic_cast it
to MyClass const&, and catch the exception if it's not of MyClass type,
and return false in that case, probably.

V
Oct 20 '05 #3
> The argument has to be of the same type. Inside you can dynamic_cast it
to MyClass const&, and catch the exception if it's not of MyClass type,
and return false in that case, probably.


Well, maybe dynamic_cast of pointer and testing for NULL is cheaper, is
not it?

Mirek
Oct 20 '05 #4
Mirek Fidler wrote:
The argument has to be of the same type. Inside you can dynamic_cast it
to MyClass const&, and catch the exception if it's not of MyClass type,
and return false in that case, probably.

Well, maybe dynamic_cast of pointer and testing for NULL is cheaper, is
not it?


Unless it's proven to be different (and actually affecting the program's
performance), I am not going to guess. Neither should anyone else.

V
Oct 20 '05 #5

Floogle wrote:
how do i create a virtual == operator. I've tried the following but
it's incorrect...
The short answer is that you use an more powerful object-oriented
programming system in which a virtual function is dispatched by
considering the dynamic types of *all* of the specializable arguments.

There is a crutch design pattern that you can use in a less powerful
object system, like that of C++, to emulate multiple dispatch. You end
up making two virtual function calls.

The first virtual call dynamically dispatches on the left object, and
goes to a stub function, whose only purpose is to dispatch one more
time on the right object.

This is done in the ``Visitor Pattern'' for instance. The problem with
that pattern is that it uses generic terminology like ``visit'' and
``accept'' which obscures the semantics of what the user is actually
implementing. You can rip out the double dispatch trick, without
taking in the whole pattern in.

class Interface
{
...

public:

virtual bool operator==(const Interface& rhs)const=0;
};

class MyClass : public Interface
{
...

public:

bool operator==(const MyClass& rhs)const;
};


Of course, the function you have here in MyClass is not an overload of
the base class virtual function, because the type signature does not
match. You must in fact implement:

bool operator==(const Interface &rhs) const;

So now, the problem is that this dispatches only on the type of the
object on which the virtual is called. You know that your ``this''
pointer is a MyClass, but you need to handle all combinations of
MyClass and everything else. The trick is to invoke another virtual
function, this time on the rhs object:

bool MyClass::operator==(const Interface &rhs) const
{
return rhs.operator == (*this);
}

In this second virtual call, the arguments are reversed: the parameter
is now const MyClass & and static overload resolution is being used to
find the method. That's because we know the exact type of the left hand
side object!

All you need now is additional virtual functions inside Interface which
are specialized to various types of objects.

// Inside Interface base:
virtual bool operator==(const MyClass& rhs) const = 0;
virtual bool operator==(const YourClass &rhs) const = 0;

// .. etc ... for every darn class! Every time you add a class
// to your framework, you have to add an entry here, and
// implement the combination throughout the entire framework!!!

So for instance the combination MyClass X MyClass -> bool is handled by
writing an additional function in MyClass:

bool MyClass::operator == (const MyClass &lhs) const
{
}

and the YourClass X MyClass -> bool combination is handled like this:

// You HAVE to implement this because it's a pure virtual
// inside the Interface base!!!

bool MyClass::operator == (const YourClass &lhs) const
{
// handle the combination here.
}

and so on. I'm calling it lhs because the order is reversed; we are at
the second dispatch level, where we invoked the virtual function on the
right hand side object in the original ==() call! The original left
hand object is now the argument.

One thing you might want to do is use a different name for the two
steps, like in the visitor pattern, which has visit() for the first
call and accept() for the other. Confusion can occur because some of
the == functions can be called non-virtually, when you aren't going
through base classes. In this case, it should all be cool because the
comparison is commutative (right?)

That is to say, if you have two MyClass objects and you compare them
with ==, then it will just go to the operator == (const MyClass &)
right away without the double dispatch, and the right hand side will be
assumed to be the left.

To avoid that, do it like this:

class Interface {
public:
// entry point into comparison
virtual bool operator == (const Interface &rhs) const = 0;

// second dispatch completion routines, distinct from operator
virtual bool eq_impl(const MyClass &from_lhs) const = 0;
virtual bool eq_impl(const YourClass &from_lhs) const = 0;
// repeat for every darn class, implement all combos
};

The operator == implementation is the same everywhere:

return rhs.eq_impl(*this);

everyone must implement this. Everyone must also implement every
eq_impl for every left hand class.

This could be extended to triple dispatch:

virtual void func(Interface &B, Interface &C) = 0;

Let's refer to the first object as the hidden parameter ``A'', so the
manifest parameters are B and C.

At the first level, the type of the object is established. So now, it
can invoke a second level virtual, invoked on Interface B. The ``A''
object now appears as a concrete parameter with an exact class. C
remains abstract:

virtual void func2(Concrete &A, Interface &C) = 0;

here, the exact type of A and B is known, so a final virtual call can
take place on object C, which statically chooses a virtual based on
these two types:

virtual void func3(Concrete &A, Concrete &B) = 0;

Note that if you have M implementations of the interface, then you need
M implementations of func(), M * M implementations of func2(), and M *
M * M implementations of func3().

Probably a good idea to make some of these impure, so you can inherit
default behaviors and not have to deal with all the combos.

Oct 20 '05 #6
Mirek Fidler wrote:
The argument has to be of the same type. Inside you can dynamic_cast it
to MyClass const&, and catch the exception if it's not of MyClass type,
and return false in that case, probably.


Well, maybe dynamic_cast of pointer and testing for NULL is cheaper, is
not it?


That depends on how exception handling is implemented, how frequently
the exceptional case occurs in your program, and at what level you
catch it.

Oct 20 '05 #7
"Floogle" <Ba**********@NOSPAM.com> wrote in message
news:qn********************************@4ax.com...
how do i create a virtual == operator.


A search on Google groups proved that in the past, I've responded to such a
question like this :)

<quote>
In the past, I've used a variation of that method for operator<, but
it should work for operator== as well.

Define 'bool operator==(B const & other) const;' in the base class but
call a private pure virtual isEqual member when the types are the
same:

if (typeid(*this) == typeid(other))
{
return isEqual(other);
}
else
{
return false;
}

In the most derived classes, you can trust the typeid check performed
in operator==, and do a static_cast in isEqual:

class D
{
int member_;

virtual bool isEqual(Base const & o) const
{
Derived const & other = static_cast<Derived const &>(o);

return member_ == other.member_;
}
/* ... */

};

I couldn't use a compiler to test this code. I hope there aren't many
errors :)

Ali
</quote>

I think today I would write Base::operator== in a shorter way:

bool Base::operator== (Base const & other)
{
return ((typeid(*this) == typeid(other)) &&
isEqual(other));
}

Ali

Oct 21 '05 #8
Kaz Kylheku wrote:
Mirek Fidler wrote:
The argument has to be of the same type. Inside you can dynamic_cast it
to MyClass const&, and catch the exception if it's not of MyClass type,
and return false in that case, probably.


Well, maybe dynamic_cast of pointer and testing for NULL is cheaper, is
not it?

That depends on how exception handling is implemented, how frequently
the exceptional case occurs in your program, and at what level you
catch it.


Well, I believe that:

- test for type has to be performed in both cases (I mean both for
pointer and reference)

- raising exception will cost you something no matter what

- in this case, the place where you catch the exception is in the same
function, so no possible saveings from passing multiple frames here

On some systems the difference might be small, but I do not believe that
in this particular case there is platform where exception based solution
would be faster. On many current platforms, it will be significantly slower.

Plus, it is more complex and more verbose code as well.

Mirek
Oct 21 '05 #9

This thread has been closed and replies have been disabled. Please start a new discussion.

Similar topics

18
by: nenad | last post by:
Wouldn't it be nice if we could do something like this: class Funky{ public: auto virtual void doStuff(){ // dostuff } };
12
by: c++novice | last post by:
1--Can operators be virtual? 2--What is the difference between an operator= returning a refernce Vs a value?
15
by: Heiner | last post by:
#include <stdio.h> class A { public: virtual A & operator= (const A &); virtual void test(const A &); }; class B : public A
8
by: sun1991 | last post by:
Hi All, I tried the following code, but it did not work as I think: --- using namespace std; namespace { class Fraction { public:
14
by: Hunk | last post by:
Hi I ws wondering if there is a way to implement operator+ in case of virtual classes. Here's the problem. I have to have a base string class from which two classes (normal char string and a...
1
by: Stuart Brockman | last post by:
Hi, I don't quite get what is going on in this code example: --------------------------- #include <iostream> using namespace std; class Base{ public:
1
by: CloudSolutions | last post by:
Introduction: For many beginners and individual users, requiring a credit card and email registration may pose a barrier when starting to use cloud servers. However, some cloud server providers now...
0
by: taylorcarr | last post by:
A Canon printer is a smart device known for being advanced, efficient, and reliable. It is designed for home, office, and hybrid workspace use and can also be used for a variety of purposes. However,...
0
by: Charles Arthur | last post by:
How do i turn on java script on a villaon, callus and itel keypad mobile phone
0
by: aa123db | last post by:
Variable and constants Use var or let for variables and const fror constants. Var foo ='bar'; Let foo ='bar';const baz ='bar'; Functions function $name$ ($parameters$) { } ...
0
by: ryjfgjl | last post by:
If we have dozens or hundreds of excel to import into the database, if we use the excel import function provided by database editors such as navicat, it will be extremely tedious and time-consuming...
0
by: emmanuelkatto | last post by:
Hi All, I am Emmanuel katto from Uganda. I want to ask what challenges you've faced while migrating a website to cloud. Please let me know. Thanks! Emmanuel
1
by: nemocccc | last post by:
hello, everyone, I want to develop a software for my android phone for daily needs, any suggestions?
1
by: Sonnysonu | last post by:
This is the data of csv file 1 2 3 1 2 3 1 2 3 1 2 3 2 3 2 3 3 the lengths should be different i have to store the data by column-wise with in the specific length. suppose the i have to...
0
by: Hystou | last post by:
There are some requirements for setting up RAID: 1. The motherboard and BIOS support RAID configuration. 2. The motherboard has 2 or more available SATA protocol SSD/HDD slots (including MSATA, M.2...

By using Bytes.com and it's services, you agree to our Privacy Policy and Terms of Use.

To disable or enable advertisements and analytics tracking please visit the manage ads & tracking page.