模板功能取决于非类型参数

时间:2018-08-09 09:01:17

标签: c++ c++11 templates template-function

是否可以基于非类型参数定义重载模板函数?

以下情况:

template<uint8_t> void SetupMem();

template<> void SetupMem<4>()
{ /* some code */ }


template<> void SetupMem<8>()
{ /* some code */ }

void TemplateCaller()
{
   // use the plattform-specific template function at compile-time
   SetupMem<sizeof(size_t)>();
}

现在是否可以基于非类型参数更改SetupMem的返回值? 例如:

template<> uint32_t SetupMem<4>(){}
template<> uint64_t SetupMem<8>(){}

因此,TemplateCaller()不会使用所需的模板参数显式调用SetupMem(因此避免使用诸如SetupMem<uint64, sizeof(size_t)>();之类的东西)?欢迎使用C ++ 11之前的可能解决方案:)

2 个答案:

答案 0 :(得分:3)

您可以编写类型特征:

template<::std::size_t x_Size> class
t_IntegralFromSize;

template<> class
t_IntegralFromSize<4> final
{
    public: using type = ::std::uint32_t;
};

template<> class
t_IntegralFromSize<8> final
{
    public: using type = ::std::uint64_t;
};

template<::std::size_t x_Size> typename t_IntegralFromSize<x_Size>::type
SetupMem();

template<> t_IntegralFromSize<4>::type
SetupMem<4>()
{ /* some code */ }


template<> t_IntegralFromSize<8>::type
SetupMem<8>()
{ /* some code */ }

void TemplateCaller()
{
    // use the plattform-specific template function at compile-time
    SetupMem<sizeof(size_t)>(); // works without changes
}

online compiler

答案 1 :(得分:3)

只需使用简单的函数重载std::integral_constant

std::uint32_t SetupMem(std::integral_constant<int, 4>); // (0)
std::uint64_t SetupMem(std::integral_constant<int, 8>); // (1)

void TemplateCaller()
{
   auto a = SetupMem(std::integral_constant<int, 4>{}); // calls (0)
   auto b = SetupMem(std::integral_constant<int, 8>{}); // calls (1)
}

您可以引入模板类型别名以提高可读性:

template <int X>
using ic = std::integral_constant<int, X>;

std::uint32_t SetupMem(ic<4>);
std::uint64_t SetupMem(ic<8>);

void TemplateCaller()
{
   auto a = SetupMem(ic<4>{});
   auto b = SetupMem(ic<8>{});
}

live example on wandbox.org


如果您的编译器不支持integral_constant,那么您所需要做的就是自己定义:

template <int>
struct ic { };

std::uint32_t SetupMem(ic<4>);
std::uint64_t SetupMem(ic<8>);

void TemplateCaller()
{
   auto a = SetupMem(ic<4>{});
   auto b = SetupMem(ic<8>{});
}

live example on wandbox.org