Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Why addresses of two different objects should be different?

Tags:

c++

oop

I've been reading about this stuff that size of an object should be at least 1 byte (C++: What is the size of an object of an empty class?) and what's wrong about having two empty objects the same address ? After all, we can have two pointers to the same object.

The googling tells me there is something about object identity fundemantal rule, but I can't find more detailed info about that.

So... $SUBJ.

like image 939
Andrew_Lvov Avatar asked Feb 11 '11 15:02

Andrew_Lvov


1 Answers

Having two objects at the same address would mean that there would be no way to distinguish between these two objects when referencing them with pointers. For example, in the following code:

EmptyClass o1;
EmptyClass o2;

EmptyClass * po = &o;
po->foo();

Should the foo method be called on o1 or o2?

It could be argued that since these objects have no data and no virtual methods (otherwise they would have a non-zero size), it doesn't matter on which instance the method is invoked. However, this becomes more important when we want to test if two objects are equal (i.e. if they are the same):

template < typename T >
bool isSame( T const & t1, T const & t2 )
{
    return &t1 == &t2;
}

EmptyClass o1; // one object and...
EmptyClass o2; // ...a distinct object...

assert( ! isSame( o1, o2 ) ); // ...should not be one and same object!

For a more concrete example, let's assume that I want to associate some objects (I could say entities) with some values, let's say in an associative container:

Person you;
Person me;

// You and I are two different persons
// (unless I have some dissociative identity disorder!)
// Person is a class with entity semantics (there is only one 'me', I can't make
// a copy of myself like I would do with integers or strings)

std::map< Person *, std::string > personToName;

personToName[&you] = "Andrew_Lvov";
personToName[&me]  = "Luc Touraille";
// Oh, bother! The program confused us to be the same person, so now you and I
// have the same name!

So yes, it all boils down to object identity: if objects were allowed to be empty, they could be deprived of their identity, which is simply not allowed by the language (thankfully).

like image 130
Luc Touraille Avatar answered Oct 22 '22 16:10

Luc Touraille