C ++模板:如何根据数据类型有条件地编译不同的代码?

时间:2017-06-05 14:50:11

标签: c++ templates

这是一个小例子,说明了我的问题的本质:

#include <iostream>
using namespace std ;
typedef char achar_t ;

template < class T > class STRING
{
   public:
     T *    memory   ;
     int    size     ;
     int    capacity ;
   public:
     STRING() {
        size     =   0 ;
        capacity = 128 ;
        memory   = ( T *) malloc( capacity * sizeof(T) ) ;
     }
     const STRING& operator=( T * buf) {
         if ( typeid(T) == typeid(char) )
            strcpy( memory, buf ) ;
         else
            wcscpy( memory, buf ) ;
        return *this ;
     }
}  ;

void main()
{
  STRING<achar_t> a ;
  STRING<wchar_t> w ;
  a =  "a_test" ;
  w = L"w_test" ;
 cout << " a = " << a.memory << endl ;
 cout << " w = " << w.memory << endl ;
}

有人可以帮我编译一下吗?这是以某种方式使用strcpy()或wcscpy()根据我正在使用的对象的类型进行编译。

谢谢

3 个答案:

答案 0 :(得分:6)

使用std::char_traits<CharT>

您可以通过组合静态方法std::char_traits::length()std::char_traits::copy()来替换strcpy()wcscpy()。这也会使您的代码更具通用性,因为std::char_traits具有char16_tchar32_t的特化。

 STRING& operator=( T const * buf) {
    // TODO: Make sure that buffer size for 'memory' is large enough.
    //       You propably also want to assign the 'size' member.        

    auto len = std::char_traits< T >::length( buf );
    std::char_traits< T >::copy( memory, buf, len );

    return *this ;
 }

旁注:

  • 我将参数buf的类型更改为T const*,因为将字符串文字指定给指向非常量数据的指针是不合法的。我们只需要对buf所指向的数据进行读访问。
  • 我将返回类型更改为STRING&,因为这通常是assignment operator的声明方式。该方法必须是非const的,因此没有必要将返回类型限制为常量引用。

答案 1 :(得分:3)

如果您使用的是C ++ 17,则还可以使用if constexpr

if constexpr (std::is_same<char, T>::value)
   strcpy( memory, buf );
else
   wcscpy( memory, buf );

不会为给定的模板实例化编译未满足条件的分支。

答案 2 :(得分:0)

您可以使用模板专业化。

template<typename T>
class STRING {
public:
 T *    memory   ;
 int    size     ;
 int    capacity ;
public:
 STRING() {
    size     =   0 ;
    capacity = 128 ;
    memory   = ( T *) malloc( capacity * sizeof(T) ) ;
 }
STRING const & operator=(T * buf);
};

并为您想要的类型定义专业化

template<> STRING<achar_t> const & STRING<achar_t>::operator=(achar_t * buf)
{
    strcpy(memory, buf );
    return *this;
}

template<> STRING<wchar_t> const & STRING<wchar_t>::operator=(wchar_t * buf)
{
    wcscpy( memory, buf );
    return *this;
}

我没有测试此代码,但您可以在此处找到更多信息http://en.cppreference.com/w/cpp/language/template_specialization