1

对于一个项目,我必须编写一个容器类和元素,其中元素需要了解它们所在的容器。此外,创建应该由容器中的工厂方法完成因为如果您使用标题和一个 cpp 文件,如果您(像我一样)只允许使用一个标头,对我来说似乎是不可能的。这是问题的一个例子:

class myContainer;
class myElement;

class myContainer
{
  public:
    myElement *createElement()
    {
      myElement *me =new myElement(this); 
      // do some adding to list stuff
      return me;
    }

    int askMyContainer()
    {
       return 42;
    }
};

class myElement
{
  public:
    myElement(myContainer *parent)
    {
     pcontainer=parent;
    }

    int userAskingSomething()
    {
     return pcontainer->askMyContainer();
    }
 protected:
  myContainer *pcontainer;
};

myContainer 类需要有关 myElement 的知识,这就是为什么 myElement 必须在 myContainer 之前,而 myElement 需要有关 myContainer 的知识。

4

3 回答 3

7

您必须将类定义和方法定义拆分为至少一个类的单独部分。

例如,首先定义myContainer类(即类及其变量/函数,但定义这些函数的实现)。然后myElement上课。接下来是成员函数的实际实现(如果你想在头文件中myContainer标记它们)。inline

于 2013-10-28T10:16:17.800 回答
2

您可以使用其他文件拆分声明和定义来解析圆:

// File myContainer.h:

#include "myElement.h"

class myContainer
{
    public:
    myElement *createElement();
    int askMyContainer();
};
#include "myElement.hcc"


// File myContainer.hcc:

#include "myElement.h"

// inline myContainer functions


// File myElement.h

class myContainer;
class myElement
{
    public:
    myElement(myContainer *parent);
    int userAskingSomething();
    protected:
    myContainer *pcontainer;
};
#include "myElement.hcc"


// File myElement.hcc

#include "myContainer.h"

// inline myElement functions
于 2013-10-28T10:24:34.727 回答
0

在写这个问题的过程中,我有一个想法如何解决它,那就是继承。喜欢

class myContainerBase
{
  pulbic:
  int askMyContainer()
  {
     return 42;
  }
};

//...
class myElement 
{
  public:
   myElement(myContainerBase *parent)
   {
     pcontainer=parent;
   }
//...

class myContainer:public my ContainerBase
{
//...

有没有人有更好的方法?或者这样可以吗?

Joachim Pileborg 为我得到了最好的答案。他的最后一句话是我以前不知道的。这是我对我们其他人的工作示例:-)

class myContainer;
class myElement;

class myContainer
{
  public:
    myElement *createElement();

    int askMyContainer()
    {
       return 42;
    }
};

class myElement
{
  public:
    myElement(myContainer *parent)
    {
     pcontainer=parent;
    }

    int userAskingSomething()
    {
     return pcontainer->askMyContainer();
    }
 protected:
  myContainer *pcontainer;
};


inline myElement *myContainer::createElement()
{
  myElement *me =new myElement(this); 
  // do some adding to list stuff
  return me;
}
于 2013-10-28T10:16:31.163 回答