4

我在 C++ 类中有一个静态 stl 映射,并有另一个静态成员函数来返回指向映射中对象的常量指针。该映射对类中的所有对象都是通用的。

唯一的问题是,我需要搜索此映射并从另一个类中设置它,该类位于不同的 .cpp/.h 文件中,当我尝试在 vs2010 中编译它们时,我得到未解析的外部符号。这些方法在 Timestream 类中定义为

static void setRoomList(std::map<std::string, RoomDescription> rl);
static RoomDescription * getRoom(std::string ref); 

这两个功能都是公开的,所以应该没有访问问题。这些函数在 Timestream.cpp 文件中定义为正常,即

RoomDescription * Timestream::getRoom(std::string ref)
{
    std::map<std::string, RoomDescription>::iterator cIter= roomList.find(ref);

    if(cIter!=roomList.end())
        return &(cIter->second);

    return NULL;
}

我想这样称呼

RoomDescription *r =Timestream::getRoom("Bathroom")

从另一个班级。网络上的其他帖子似乎在谈论使用 extern,但我不确定。我不明白为什么这与从不同的类调用任何其他成员函数有什么不同?

谢谢,詹姆斯

编辑:是的,我已经宣布

std::map<std::string, RoomDescription> roomList;

在 Timestream.cpp 文件的顶部。在标题中它被定义为

static  std::map<std::string, RoomDescription> roomList;

我已将 RoomDescription 的标头包含在我试图从中调用这些方法的类的标头中。

我得到的错误是这个

Import.obj:错误 LNK2019:未解析的外部符号“public:static void __cdecl Timestream::setRoomList(class std::map,class std::allocator >,class RoomDescription,struct std::less,class std::allocator > > ,class std::allocator,class std::allocator > const ,class RoomDescription> > >)" (?setRoomList@Timestream@@SAXV?$map@V?$basic_string@DU?$char_traits@D@std@@V ?$allocator@D@2@@std@@VroomDescription@@U?$less@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@2 @V?$allocator@U?$pair@$$CBV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@VroomDescription@@@std@@@2 @@std@@@Z) 在函数 "public: int __thiscall Import::getRoomData(void)" (?getRoomData@Import@@QAEHXZ) 中引用

Timestream.obj:错误 LNK2001:未解析的外部符号“私有:静态类 std::map,class std::allocator >,class RoomDescription,struct std::less,class std::allocator > >,class std::allocator,类 std::allocator > const ,类 RoomDescription> > > Timestream::roomList" (?roomList@Timestream@@0V?$map@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@ D@2@@std@@VroomDescription@@U?$less@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@2@V?$ allocator@U?$pair@$$CBV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@VoomDescription@@@std@@@2@@std@ @一种)

4

2 回答 2

4

您需要添加:

std::map<std::string, RoomDescription> Timestream::roomList;

to Timestream.cpp,或者任何你的实现文件被调用。

这将定义静态成员。在头文件中,您只需声明它。

于 2012-08-28T14:42:57.413 回答
3

我猜未解析的外部符号是roomList; 这是错误消息中包含的重要信息。而且,大概roomList是在类定义中声明的静态成员。如果这些假设是正确的,那么错误的原因是代码没有定义.roomList

通常,静态成员必须在类定义中声明并文件中定义:

// foo.h:
class C {
    static int data;
};

// foo.cpp:
int C::data = 42;

这与从另一个类访问静态成员无关。如果您尝试从声明它的类访问它,您会得到同样的错误。

编辑:从新发布的错误消息中,缺少两个名称:setRoomListroomList. 请注意,它roomList是 的成员Timestream,并且必须这样定义,也就是说,它的定义必须包括Timestream::。如上所示,它只是一个全局数据对象,而不是Timestream. 的问题setRoomList可能是一样的。

于 2012-08-28T14:44:24.193 回答