在c ++中是否有任何方法(函数/结构/模板)等,如果我们提供int,float等字符串作为输入,然后返回相应的类型。为了详细说明一个假设的场景,我可以从数据库中检索列的数据类型,说ITEM_NAME的类型为varchar(如std :: string),所以现在我想声明一个c ++变量item_name(std :: string),其类型将与之对应到此列ITEM_NAME(varchar)。下面是我尝试过的一些东西(示例代码),但这不起作用:
template<string coltype>
struct DatabaseType
{
typedef COL_TYPE std::string;
};
template<string coltype="int">
{
typedef COL_TYPE int;
};
std::string getDBType()
{
return "int";
}
int main()
{
DataBaseType<std::string("int")>::COL_TYPE x;
//need to call another overloaded function that returns value corresponding to DB Column name in x
getDBValue("ITEM_NAME",x); //note this is already defined overloaded function that can take std::string,float and int in place of second argument
return 0;
};
答案 0 :(得分:1)
这很可能是胡说八道,但原则上可以实现:
template<size_t N>
struct DatabaseType
{
typedef int COL_TYPE;
};
unsigned constexpr const_hash(char const *input) {
return *input ?
static_cast<unsigned int>(*input) + 33 * const_hash(input + 1) :
5381;
}
template<>
struct DatabaseType<const_hash("int")>
{
typedef int COL_TYPE;
};
template<>
struct DatabaseType<const_hash("float")>
{
typedef float COL_TYPE;
};
template<>
struct DatabaseType<const_hash("string")>
{
typedef std::string COL_TYPE;
};
void main()
{
auto i = DatabaseType<const_hash("int")>::COL_TYPE(10);
auto f = DatabaseType<const_hash("float")>::COL_TYPE(1.0);
auto f = DatabaseType<const_hash("string")>::COL_TYPE("dasdas");
}
这没有意义,因为使用枚举要容易得多
enum Types
{
TYPE_INT,
TYPE_FLOAT,
TYPE_STRING
};
template<Types N>
struct DatabaseType
{
typedef int COL_TYPE;
};
template<>
struct DatabaseType<TYPE_INT>
{
typedef int COL_TYPE;
};
template<>
struct DatabaseType<TYPE_FLOAT>
{
typedef float COL_TYPE;
};
template<>
struct DatabaseType<TYPE_STRING>
{
typedef std::string COL_TYPE;
};
void main()
{
auto i = DatabaseType<TYPE_INT>::COL_TYPE(10);
auto f = DatabaseType<TYPE_FLOAT>::COL_TYPE(1.0f);
auto f = DatabaseType<TYPE_STRING>::COL_TYPE("dasdas");
}