Possible Duplicate:
Overloading operator ->
Hi,
I've seen that operator->()
is chained (re-applied) after it is evaluated, for example:
struct Bar
{
Bar() : m_str("Hello world!") {}
const string* operator->() const { return &m_str; }
string m_str;
};
struct Foo
{
const Bar& operator->() const { return m_bar; }
Bar m_bar;
};
int main()
{
Foo f;
cout << f->c_str() << endl;
return 0;
}
works pretty fine, which requires three operator->()
to be evaluated - Foo::operator->()
, Bar::operator->()
and regular pointer resolution.
But it wont work with pointers in the middle - if Foo::operator->()
returns pointer to Bar instead of reference, it wont compile. Same happens with auto_ptr<auto_ptr<string>>
for example.
Is it specific to non-overloaded operator->()
so it is only applied once and does not cause chaining?
Is it possible to make code below works without using (*ptr2)-> ...
?
int main()
{
string s = "Hello world";
auto_ptr<string> ptr1(&s);
auto_ptr<auto_ptr<string> > ptr2(&ptr1);
cout << ptr1->c_str() << endl; // fine
cout << ptr2->c_str() << endl; // breaks compilation
}
Thanks!
C++98 standard §13.5.6/1 "Class member access":
What this means in practice is that when
x
is a pointer, you don’t get chaining; you then just get the built-inoperator->
(i.e.x->m
withx
a pointer translates to(*x).m
).But when
x
is an object of class typeT
, then you can get the chaining effect. Because then the interpretation as(x.operator->())->m
can be that(x.operator->())
itself is an object of some class, say classU
. Whence the second->
can be resolved asU::operator->
, and so on, if the result of that again is a class type object…Like, in your case,
Foo::operator->
produces (a reference to) an object of classBar
, which does define anoperator->
.But when
operator->
returns a pointer, as e.g.std::auto_ptr<T>::operator->
does, then it's just the built-inoperator->
that's used.In passing, the chaining can be used to practically prevent someone from using
delete
inappropriately.std::auto_ptr
does not do that. And I’ve never seen it done.But there was once a long discussion thread over in [comp.lang.c++.moderated] about how to prevent inadvertent
delete
of the raw pointer managed by a smart pointer, and this was one possibility that was discussed.Cheers & hth.