我一直在避免使用C++中的以下内容(我相信VS 2008中使用了C++03),但是现在我很好奇是否有可能这样做?让我用代码解释一下。

//Definitions.h header file
//INFO: This header file is included before CMyClass definition because
//      in contains struct definitions used in that class

struct MY_STRUCT{
    void MyMethod()
    {
        //How can I call this static method?
        int result = CMyClass::StaticMethod();
    }
};

然后:
//myclass.h header file
#include "Definitions.h"

class CMyClass
{
public:
    static int StaticMethod();
private:
    MY_STRUCT myStruct;
};

和:
//myclass.cpp implementation file

int CMyClass::StaticMethod()
{
    //Do work
    return 1;
}

最佳答案

在这种情况下,您需要将MY_STRUCT::MyMethod的实现移到头文件之外,然后将其放在其他位置。这样,您可以在不声明Definitions.h的情况下包括CMyClass

因此,您的Definitions.h将更改为:

struct MY_STRUCT{
    void MyMethod();
};

然后在其他地方:
void MY_STRUCT::MyMethod()
{
    int result = CMyClass::StaticMethod();
}

08-27 01:51