Search code examples
namespacesmanaged-c++

private/public class in namespace problem


This is a question about what defining a class as public or private does.

Right now, I have various classes defined inside of a namespace and I only want some of those classes to be visible/usable to the outside world.

So, for example, if the classes below were the only ones in the program, I would want main.cpp to only be able to see/use the MyPublic class, not the MyPrivate class. I thought that defining the MyPrivate class as private and the MyPublic class as public would accomplish this, but the below code works and main.cpp is able to declare a MyPrivate object.

Is it possible to do this in C++?

MyPrivate.h:

namespace MyNamespace{

    // only classes inside of the MyNamespace should be able
    // to use this
    private ref class MyPrivate{
        ...
    };
}

MyPublic.h:

#include "MyPrivate.h"

namespace MyNamespace {

    // anyone can declare this
    public ref class MyPublic{
        ...
        private:
            MyNamespace::MyPrivate^ p;
        ...
    };
}

Main.cpp:

#include "MyPublic.h"

int main(){

    MyNamespace::MyPublic p_yes; // this is fine    
    MyNamespace::MyPrivate p_no; // don't want this to be possible

    return 0;
}

Solution

  • private/public in this situation will affect how classes are visible outside an assembly, if you want to create a class that is "private" in the meaning that it can be used only by some other class, you can use nested clas mechanism, like this:

    namespace MyNamespace {
        public ref class MyPublic {
           private:
    
               ref class MyPrivate {
                   public:
                   int x;
               };
    
               MyPrivate^ p;
        };
    }
    

    //Edit: You can by the way still throw this nested class in public: section and use it like this:
    MyNamespace::MyPublic::MyPrivate priv;