我需要将(几个)类的实例与小整数相关联,我称之为 handle 。
我讨厌使用预处理器宏,所以我想我会使用模板和多重继承。
我定义了一个Handle
类,如下所示:
#include <map>
template<typename Key, typename Self>
class Handle
{
protected:
static Key nextHandle;
static std::map<Key, Self*> handles;
Key handle;
public:
Handle()
{
handles[nextHandle++] = this;
}
virtual ~Handle()
{
handles.erase(handle);
}
static Self * byHandle(Key handle)
{
typename std::map<Key, Self*>::const_iterator it = handles.find(handle);
if(it == handles.end())
return nullptr;
else
return it->second;
}
Key getHandle()
{
return handle;
}
};
这个“模式”的用法是:
class Test : public SomeSuperclass, ... , public Handle<int, Test>
{
public:
Test();
};
Test::Test()
: Handle()
{
}
int Handle<int, Test>::nextHandle = 666;
std::map<int, Test*> Handle<int, Test*>::handles;
问题在这里^^^我不知道如何为那些静态变量定义存储,我从clang ++中得到这个错误:
handle_test.cpp:17:24:错误:模板专精化需要'模板&lt;&gt;'
int Handle :: nextHandle = 666;
或者,如果我尝试在Test类中定义它,例如:
int Test::nextHandle = 666;
std::map<int, Test*> Test::handles;
我得到了另一个错误:
handle_test.cpp:20:11:错误:“测试”中没有名为“nextHandle”的成员
int Test :: nextHandle = 666;
答案 0 :(得分:2)
如果您想要模板特化的静态成员定义,您可以:
template<>
int Handle<int, Test>::nextHandle = 666;
template<>
std::map<int, Test*> Handle<int, Test>::handles;
如果您想要主要模板的静态成员定义,您可以:
template<typename Key, typename Self>
Key Handle<Key, Self>::nextHandle;
template<typename Key, typename Self>
std::map<Key, Self*> Handle<Key, Self>::handles;
您无法在派生类Test
上定义它们,它们是Handle
的成员。