-1

我希望我提供了足够的信息,并且我的标题正确。

一般来说,我希望有一个在我的应用程序中存储数据的类,并且我需要几个其他类来访问相同的数据。本质上是在多个类之间共享数据。

简短/简洁的代码如下:

example.cpp(主应用程序)

// example.cpp : Defines the entry point for the console application.
//
#include "AnotherClass.h"
#include "ObjectClass.h"
#include "stdafx.h"
#include <iostream>  
#include <iomanip>

using namespace std;  
//Prototype
static void do_example ( );

int main()  

{  
    do_example ( );
}

static void do_example ( ) {


    MyObject.a = 5;
    cout <<"MyObject.a value set in main application is "<<MyObject.a<<"\n";

    AnotherClass    m_AnotherClass;

    m_AnotherClass.PrintValue();

}       

对象类.h

class ObjectClass {
public:
    ObjectClass(); // Constructor
    int a; // Public variable
} static MyObject;

对象类.cpp

#include "ObjectClass.h"

ObjectClass::ObjectClass() {

    a = 0;

}

另一个类.h

class AnotherClass {
public:
    AnotherClass(); // Constructor

    void PrintValue(); // Public function
    int value; // Public variable

};

另一个类.cpp

#include "AnotherClass.h"
#include "ObjectClass.h"
#include "stdafx.h"
#include <iostream>  
#include <iomanip>

using namespace std; 

AnotherClass::AnotherClass() {

    value = MyObject.a;

}

void AnotherClass::PrintValue() {

    cout <<"value in AnotherClass is "<<value<<"\n";
    cout <<"it should be the same."<<"\n";
}

但是该值是默认值0,就好像它是MyObject的一个新实例一样。但它应该从静态 MyObject 中提取 5 的值。

我错过了什么?

4

1 回答 1

3

静态类实例本身就是一个静态变量。您期望发生的事情也很有意义,但是,您的代码没有显示如何处理静态实例。事实上,如果两个MyClassInstances 都引用同一个对象,那么你甚至不需要静态声明。

此外,静态变量在 cpp 文件中定义。如果在头文件中定义它,包含它的 cpp 文件(编译单元)将定义一个单独的静态变量。因此,在主 cpp 文件中定义静态对象并extern MyStaticClass在头文件中使用。然后,链接器会将用途链接到同一个变量。

于 2012-04-17T18:44:58.293 回答