C++ Private Nested Abstract Class
So maybe this is a dumb question and I'm over thinking this, but I have the following situation. I am making a "class Shell" which can run abstract "class Action" objects. It is the only class that should create or use these objects. Action objects need access to the Shell to perform specific actions on it, but I'm trying to avoid adding public interfaces for this (no one else should be allowed to do that).
I originally had a simple (not so elegant)
class Shell
{
public:
bool checkThing();
// etc...
private:
bool _thing;
};
class Action
{
public:
virtual void execute( Shell &s )=0;
};
class ChangeAction : public Action
{
public:
void execute( Shell &s )
{
// requires friendship or public mutator!
s._thing = true;
}
};
So I considered a nested class Action, but I wanted to make it private (why let anyone else make concrete Actions except the Shell, right?)
class Shell
{
public:
bool checkThing();
// etc...
private:
bool _thing;
class Action;
};
class Shell::Action
{
public:
virtual void execute( Shell &s )=0;
};
class ChangeAction : public Shell::Action
{
public:
void execute( Shell &s )
{
// ok now!
s._thing = true;
}
};
But of course I can't inherit from Action any more (that makes sense, it's private). So that doesn't work.
So my question, should I just go with the first method and friendship or a public interface? Can I use something similar to the second method to keep that relationship with Actions and the Shell? Do you have a better idea?
If the only code that needs to be able to see Action
is Shell
, one option would be to forward-declare Action
in the header file but only define the class in the .cpp file. This would then let you declare as many Action
subclasses as you'd like in the implementation file without letting anyone else subclass off of Action
because no one else would have a complete class definition for Action
. This also avoids any need for public interfaces or friend
declarations - all the Action
classes are declared in the global scope, but shielded from other files by virtue of being declared in the .cpp file.
Great question, by the way!
您可以使用这些方法的组合:基本上只需从第一个方法中取出所有类并将它们移动到Shell类的专用部分即可:
class Shell {
public:
bool checkThing(); // etc...
private:
bool _thing;
class Action {
public:
virtual void execute( Shell &s )=0;
};
class ChangeAction : public Action
{
public:
void execute( Shell &s )
{
// ok now! s._thing = true;
}
};
};
链接地址: http://www.djcxy.com/p/4764.html
上一篇: iPhone AppStore加密导出用于openssl使用
下一篇: C ++私有嵌套抽象类