Why are we able to call the showA() method without object? But if I use void A::showA(A& x) in the method definition then I have to call it using A's object, why?
#include <iostream>
class A {
public:
int a;
A() { a = 0; }
void showA(A&);
};
void showA(A& x)
{
std::cout << "A::a=" << x.a;
}
int main()
{
A a;
showA(a);
return 0;
}
You don't call the member function
A::showA
, but instead the free functionshowA
. In fact, the member functionA::showA(A&)
is declared, but never defined, only the free functionshowA(A&)
has a definition.If you want to call
A::showA
, you need a definition;and then call it as
(Note that it doesn't make much sense to pass the
a
instance toA::showA
invoked on the identicala
instance, but that's another issue).