-2

以下代码尝试显示如何重载赋值运算符:

#include <iostream>
using namespace std;

template <typename T>
class A
{
public:
    A()   {};
    A( T &obj) {value = obj;};
    ~A() {};
    T value;

    template <typename E>
    A<T>& operator = ( A<E> &obj)
    {

        if(this == &obj)
            return *this;

        value = obj.value;
        return *this;
    }

};



int main()
{
    int temp;
    temp = 3;
    A<int> myobjects(temp);
    cout<<myobjects.value<<endl;

     float f_value;
     f_value = 10.7;
     A<float> fobjects(f_value);
     myobjects = fobjects;
     cout<<myobjects.value<<endl;

    return 0;
}

但是,当我用VC10编译它时,我发现了以下错误:

 error C2440: '==' : cannot convert from 'A<T> *' to 'A<T> *const '

如果我通过以下方式更改重载函数:

  template <typename E>
    A<T>& operator = ( A<E> &obj)
    {

     // if(this == &obj)
        //  return *this;

        value = obj.value;
        return *this;
    }

它会起作用的。为什么这样调用时注释掉的代码会出现这个错误?

4

1 回答 1

1

您缺少部分错误消息。它应该说:

error C2440: '==' : cannot convert from 'A<T> *' [with T = float] to 'A<T> *const' [with T = int]

您可能需要查看构建日志中附近的行才能看到额外的信息。并且编译器通过使用T两次但代表两种不同的类型没有任何好处。

于 2012-07-09T17:49:10.197 回答