我正在使用模板在C ++中实现一个存储任何类型值的模态类。所有实现都在同一个文件中。此模态类CConfigProperty
(模板类)具有两个变量值DefaultValue
和它存储的值DataType
的类型。在另一个类CDefaultConfig
中,我有一个std :: map,它将存储此类的对象。为此,我创建了一个返回模板类对象的方法。我在这个实现中遇到两个complilation错误。我正在使用Xcode。
1字段类型不完整' CDefaultConfig :: DefaultValue'
2没有匹配的成员函数来调用' SetStringValueforModal'
我不确定如何从另一个函数返回模板类的对象。另外,如何将一个类中声明的模板用于另一个类。
以下是示例源代码。
#include <iostream>
#include <map>
int main(int argc, const char * argv[])
{
return 0;
}
typedef enum CONFIG_DATA_TYPE {
TYPE_INT = 0,
TYPE_STRING = 3,
}DataType;
template <class DefaultValue>
class CConfigProperty
{
public:
CConfigProperty(DataType type,
DefaultValue configProperty
);
CConfigProperty();
~CConfigProperty(void);
private:
DataType m_type;
DefaultValue m_configProperty; /**/Field has incomplete type 'CDefaultConfig::DefaultValue'**
};
在声明DefaultValue m_configProperty时,字段的类型不完整&#39; CDefaultConfig :: DefaultValue;
template <class DefaultValue>
CConfigProperty<DefaultValue>::CConfigProperty(DataType type, DefaultValue configProperty)
:m_type(type),
m_configProperty(configProperty)
{
}
template <class DefaultValue>
CConfigProperty<DefaultValue>::CConfigProperty()
{
}
template <class DefaultValue>
CConfigProperty<DefaultValue>::~CConfigProperty(void)
{
}
class CDefaultConfig
{
public:
CDefaultConfig();
~CDefaultConfig(void);
private:
void PopulateDefaultConfigForAllKeys(void);
void printText();
template <class DefaultValue>
CConfigProperty<DefaultValue> *SetStringValueforModal(std::string theValue);
};
CDefaultConfig::CDefaultConfig(void)
{
PopulateDefaultConfigForAllKeys();
}
CDefaultConfig::~CDefaultConfig(void)
{
}
template <class DefaultValue>
CConfigProperty<DefaultValue> * CDefaultConfig::SetStringValueforModal(std::string theValue)
{
CConfigProperty<std::string> *theConfigProperty = new CConfigProperty<std::string>(TYPE_STRING,theValue);
return theConfigProperty;
}
void CDefaultConfig::PopulateDefaultConfigForAllKeys(void)
{
printText();
std::map<std::string, CConfigProperty<class DefaultValue> *> Properties;
Properties["Test"]=SetStringValueforModal("10"); //No matching member function for call to 'SetStringValueforModal
}
调用SetStringValueforModal
时调用&#39; SetStringValueforModal没有匹配的成员函数答案 0 :(得分:0)
不幸的是,您将无法使用
std::map<std::string, CConfigProperty<class DefaultValue> *> Properties;
像你似乎想要的那样。
问题是你需要使用像@Arcathor这样的具体类型在他的回答中写道:
std::map<std::string, CConfigProperty<int> *> Properties;
std::map<std::string, CConfigProperty<std::string> *> Properties;
但是,因为从编译器的角度来看,CConfigProperty<int>
与CConfigProperty<std::string>
的类型完全不同,因此您无法在一个{{1}中使用两种类型的混合}。
当您需要运行时多态时,您正在做的是编译时多态。
您需要添加一个非模板化的基类,并从中派生std::map
,以便您可以使用CConfigProperty<>
中的基类指针。