Unfortunately, it is not specified which function actually calls the constructor in make_shared
, so you cannot make that function a friend. If you have a class with a private constructor like this then you thus cannot construct an instance with make_shared
.
However, what you can do is create a derived class with a public constructor that calls the appropriate base class constructor, and make that derived class a friend (so it can call the private constructor):
class Foo
{
private:
Foo(int a){};
public:
static boost::shared_ptr do_foo();
friend class DerivedFoo;
};
class DerivedFoo: public Foo
{
public:
DerivedFoo(int a):
Foo(a)
{}
};
boost::shared_ptr<Foo> Foo::do_foo(){ return boost::make_shared<DerivedFoo>(5); }
If DerivedFoo
is in an anonymous namespace in the .cpp file that defines do_foo
then functions in other .cpp files will still not be able to construct any instances of Foo
directly, and users will not be able to tell that what they have is actually a DerivedFoo
.