在类模板中重载赋值运算符,该类模板可以转换为另一个模板类型

时间:2011-11-29 04:43:42

标签: c++ templates casting

#ifndef NUMBER_HPP
#define NUMBER_HPP

template <class T>
class Number
{
public:
  Number( T value ) : m_value( value )
  {
  }

  T value() const
  {
    return m_value;
  }

  void setValue( T value )
  {
    m_value = value;
  }

  Number<T>& operator=( T value )
  {
    m_value = value;
  }

  //  template <class T2>
  //  Number<T2>& operator=( const Number<T>& number )
  //  {
  //    m_value = number.value();

  //    return *this;
  //  }

private:
  T m_value;
};

typedef Number<int> Integer;
typedef Number<float> Float;
typedef Number<double> Double;

#endif // NUMBER_HPP

注释赋值运算符重载是我尝试做我想要的,我认为它可能提供比片段上方更好的描述。

我希望能够做到以下几点:

Float a(10);
Integer b(20);

a = b;

其中a会被投放到int并获得b的值,但仍然是类Number的实例。

有可能吗?你能帮帮我吗?

提前致谢。

2 个答案:

答案 0 :(得分:7)

你应该这样做:

template <class T2>
Number<T>& operator=( const Number<T2>& number )
{
    m_value = number.value();
    return *this;
}

也就是说,在参数类型中使用T2,而不是在返回类型中!

我宁愿使用不同的字母作为模板参数:

template <class U>
Number<T>& operator=( const Number<U>& number )
{
    m_value = number.m_value; //I would also directly access the member variable!
    return *this;
}

我认为,如果你想使用类类型作为模板参数并且其构造函数已被声明为explicit,那么最好使用显式强制转换:

 m_value = static_cast<T>(number.m_value); 

顺便说一句,其他operator=应该实现为:

Number<T>& operator=(T const & value ) //accept by const reference
{
    m_value = value;
    return *this; //you've to return!
}

答案 1 :(得分:4)

你有一些T在错误的地方。它应该是

template <class T2>
Number<T>& operator=( const Number<T2>& number )
{
    m_value = number.value();
    return *this;
}

这将让你做到

Integer a(4);
Float b(6.2f);

a = b;

cout << a.value() << endl;

它将打印6,这种行为与您正在模仿的intfloat类型的行为类似。