43

有没有一种方法可以基于一系列值而不是一个值来进行模板专业化?我知道以下代码不是有效的 C++ 代码,但它显示了我想做的事情。我正在为 8 位机器编写代码,因此使用整数和字符的速度存在差异。

template<unsigned SIZE>
class circular_buffer {
   unsigned char buffer[SIZE];
   unsigned int head; // index
   unsigned int tail; // index
};

template<unsigned SIZE <= 256>
class circular_buffer {
   unsigned char buffer[SIZE];
   unsigned char head; // index
   unsigned char tail; // index
};
4

4 回答 4

49

尝试std::conditional

#include <type_traits>

template<unsigned SIZE>
class circular_buffer {

    typedef typename
        std::conditional< SIZE < 256,
                          unsigned char,
                          unsigned int
                        >::type
        index_type;

    unsigned char buffer[SIZE];
    index_type head;
    index_type tail;
};

如果您的编译器尚不支持 C++11 的这一部分,则在boost 库中有等价的。

话又说回来,自己动手很容易(归功于 KerrekSB):

template <bool, typename T, typename F>
struct conditional {
    typedef T type;
};

template <typename T, typename F>  // partial specialization on first argument
struct conditional<false, T, F> {
    typedef F type;
}; 
于 2012-06-13T16:33:23.003 回答
33

使用额外的默认bool参数:

// primary template handles false
template<unsigned SIZE, bool IsSmall = SIZE <= 256>
class circular_buffer {
   unsigned char buffer[SIZE];
   unsigned int head; // index
   unsigned int tail; // index
};

// specialization for true
template<unsigned SIZE>
class circular_buffer<SIZE, true> {
   unsigned char buffer[SIZE];
   unsigned char head; // index
   unsigned char tail; // index
};
于 2012-06-13T16:31:32.140 回答
7

另一种可能的选择:

template <unsigned SIZE>
struct offset_size {
    typedef typename offset_size<SIZE - 1>::type type;
};

template <>
struct offset_size<0> {
    typedef unsigned char type;
};

template <>
struct offset_size<257> {
    typedef unsigned int type;
};

template<unsigned SIZE>
class circular_buffer {
   unsigned char buffer[SIZE];
   typename offset_size<SIZE>::type head; // index
   typename offset_size<SIZE>::type tail; // index
};

ideone例子

于 2012-06-13T16:35:49.873 回答
0

我讨厌处理类型会变得多么混乱,所以我提出了一些更简单的东西,利用constexpr. 当不需要变化类型时,此变体允许不同的行为,并解决了适合范围而不是值的一侧的需要:

template<bool> struct If;

constexpr bool InClosedRange(std::size_t Value, std::size_t Lower, std::size_t Upper)
{
    return (Lower <= Value) && (Value <= Upper);
}

// Usage:
template<size_t Width, If<true>>
class Foo;

template<size_t Width, If<InClosedRange(Width, 1, 41)>>
class Foo { /* ... */ };

template<size_t Width, If<InClosedRange(Width, 42, 142)>>
class Foo { /* ... */ };

灵感来源:https ://stackoverflow.com/a/9516959/929315

于 2017-11-08T20:45:30.290 回答