0

考虑以下用于积分 pow 的元函数(这只是一个示例):

class Meta
{
    template<int N, typename T> static constexpr T ipow(T x)
    {
        return (N > 0) ? (x*ipow<N-1>(x)) 
                       : ((N < 0) ? (static_cast<T>(1)/ipow<N>(x)) 
                                  : (1))
    }
};

如何为这样的函数编写停止条件?

4

3 回答 3

10

任何时候你问自己“如何模拟函数的部分特化”,你可以想“重载,让部分排序决定什么重载更特化”。

template<int N>
using int_ = std::integral_constant<int, N>;

class Meta
{
    template<int N, typename T> static constexpr T ipow(T x)
    {
        return ipow<N, T>(x, int_<(N < 0) ? -1 : N>());
    }

    template<int N, typename T> static constexpr T ipow(T x, int_<-1>)
    {
        //                             (-N) ??
        return static_cast<T>(1) / ipow<-N>(x, int_<-N>());
    }

    template<int N, typename T> static constexpr T ipow(T x, int_<N>)
    {
        return x * ipow<N-1>(x, int_<N-1>());
    }

    template<int N, typename T> static constexpr T ipow(T x, int_<0>)
    {
        return 1;
    }
};

我认为您想通过-N而不是N在注释标记的位置。

于 2012-09-02T16:13:24.087 回答
5

一个简单的版本可能是这样的:

template <typename T, unsigned int N> struct pow_class
{
    static constexpr T power(T n) { return n * pow_class<T, N - 1>::power(n); }
};

template <typename T> struct pow_class<T, 0>
{
    static constexpr T power(T) { return 1; }
};

template <unsigned int N, typename T> constexpr T static_power(T n)
{
    return pow_class<T, N>::power(n);
}

用法:

auto p = static_power<5>(2);  // 32
于 2012-09-02T16:17:26.873 回答
2

只需static在类模板中使用成员并专门化类模板。不过,为了方便起见,您可能希望创建一个转发函数模板。

于 2012-09-02T15:27:50.647 回答