Hi,
I was answering a question a few minutes ago and it raised to me another one:
In one of my projects, I do some network message parsing. The messages are in the form of:
[1 byte message type][2 bytes payload length][x bytes payload]
The format and content of the payload are determined by the message type. I have a class hierarchy, based on a common class Message
.
To instantiate my messages, i have a static parsing method which gives back a Message*
depending on the message type byte. Something like:
Message* parse(const char* frame)
{
// This is sample code, in real life I obviously check that the buffer
// is not NULL, and the size, and so on.
switch(frame[0])
{
case 0x01:
return new FooMessage();
case 0x02:
return new BarMessage();
}
// Throw an exception here because the mesage type is unknown.
}
I sometimes need to access the methods of the subclasses. Since my network message handling must be fast, I decived to avoid dynamic_cast<>
and I added a method to the base Message
class that gives back the message type. Depending on this return value, I use a static_cast<>
to the right child type instead.
I did this mainly because I was told once that dynamic_cast<>
was slow. However, I don't know exactly what it really does and how slow it is, thus, my method might be as just as slow (or slower) but far more complicated.
What do you guys think of this design ? Is it common ? Is it really faster than using dynamic_cast<>
? Any detailed explanation of what happen under the hood when one use dynamic_cast<>
is welcome !
--- EDIT ---
Since some people asked why:
Basically, when I receive a frame, I do two things:
- I parse the message and build a corresponding instance of a subclass of
Message
if the content of the frame is valid. There is no logic except for the parsing part. - I receive a
Message
and depending on aswitch(message->getType())
, Istatic_cast<>
to the right type and do whatever has to be done with the message.