I've a C++ snippet as below. The "getInstance()" function is trying to return a static object of the same class "CAbc". This class has a private constructor so that objects of this class can't be created.
While calling this function in main(), like in below snippet, the returned object is not being collected anywhere in main() using any reference.
I'm trying to understand the below 2 points:
What is this way of creating a static object & returning it from within the static member function of same class type ? There is no object created when a constructor is private. Then how does this object return work here ?
And how does this way of not collecting the object in main() work ?
This is being called in the main() function.
class CAbc
{
private:
CAbc() {} // HAS A PRIVATE CONSTRUCTOR
.....
public:
static CAbc& getInstance()
{
static CAbc _self;
return _self;
}
// what does this returning a static self object mean in C++ ?
}
main()
{
CAbc::getInstance();
// not collectig this anywhere ?
}
As @tkausi says, the static member function can create an object, as it is a member (thus having access to private methods.)
What this code does is having an instance of the class, only one object (
_self
) and returning it for use.Why nobody gets the return value? Because the call is there only to create the instance. If you don't call the function no
_self
object will be created.With the call to
getInstance
commented out you won't see the "creating" output.If you uncomment the call, you'll see:
Once created, the function will always return the same object.