3

我已经构建了一个类工厂,它使用地图的本地静态对象来保存它可以创建的所有类的名称:

typedef std::map<std::string, ClassFactory*> typeMap;

static typeMap& getMap() {
    static typeMap map;
    return map;
}

类必须使用以下代码注册到地图:

DerivedRegistering(std::string const& s) {
    std::cout << "Inserting " << s << std::endl;
    std::cout << "Map size " << getMap().size() << std::endl;
    getMap().insert(std::make_pair(s, this));
}

如果我想创建一个新实例,我调用createInstance类的静态函数:

static Object* createInstance(std::string const& s) {
    std::cout << "Current map size " << getMap().size() << std::endl;
    typeMap::iterator it = getMap().find(s);
    if(it == getMap().end()) // not registered
        return 0;
    return it->second->create();
}

假设我在库 A 的头文件中创建了这个类工厂,并且我将库 A 动态链接到一个项目中,该项目链接另一个动态库 B 并最终创建一个可执行文件。

现在在linux下使用gcc我没有遇到任何问题,但是当使用mingw为Windows做同样的事情时我遇到了问题。

gcc 的输出:

Registering classes of library B:
Inserting BA
Map size 0
Inserting BB
Map size 1
Inserting BC
Map size 2
Inserting BD
Map size 3
Inserting BE
Map size 4

Registering classes of library A:
Inserting AA
Map size 5
Inserting AB
Map size 6
Inserting AC
Map size 7
Inserting AD
Map size 8
Inserting AE
Map size 9
Inserting AF
Map size 10
Inserting AG
Map size 11

calling create instance in executable:
Current map size 12

但是在 mingw 我得到这样的输出:

Registering classes of library B:
Inserting BA
Map size 0
Inserting BB
Map size 1
Inserting BC
Map size 2
Inserting BD
Map size 3
Inserting BE
Map size 4

Registering classes of library A:
Inserting AA
Map size 0
Inserting AB
Map size 1
Inserting AC
Map size 2
Inserting AD
Map size 3
Inserting AE
Map size 4
Inserting AF
Map size 5
Inserting AG
Map size 6

calling create instance in executable:
Current map size 0

所以在我看来,mingw 似乎为每个库和可执行文件创建了一个新的静态本地映射,而 gcc 为所有这些库使用相同的内存。

正如您可能猜到的那样,GCC 行为是理想的行为。我可以为 mingw 强制执行此操作吗?

4

1 回答 1

4

您的函数是静态的,并且包含在多个位置。这意味着您可以创建不同的主体和不同的对象。

在 .h 中创建函数 extern 并在 .cpp 文件中添加一个主体,然后您将拥有一个单例。

或者,您可以使其内联而不是静态以获得相同的效果。

于 2013-06-10T09:54:49.377 回答