大家好我正在尝试实施像pair
这样的模板。我试过这个:
#include<iostream>
using namespace std;
template<class T1, class T2>
class Pair
{
//defining two points
public:
T1 first;
T2 second;
//default constructor
Pair():first(T1()), second(T2())
{}
//parametrized constructor
Pair(T1 f, T2 s) : first(f),second(s)
{}
//copy constructor
Pair(const Pair<T1,T2>& otherPair) : first(otherPair.first), second(otherPair.second)
{}
//overloading == operator
bool operator == (const Pair<T1, T2>& otherPair) const
{
return (first == otherPair.first) && (second == otherPair.second);
}
//overloading = operator
Pair<T1, T2> operator = (const Pair<T1, T2>& otherPair)
{
first=otherPair.first;
second=otherPair.second;
return this;
}
int main()
{
Pair<int, int> p1(10,20);
Pair<int, int> p2;
p2 = p1;
}
但是我在重载方法的最后一行得到了错误=。它不允许返回this
对象。
任何人都可以帮助我做错了吗?
答案 0 :(得分:2)
操作员应该看起来像
//overloading = operator
Pair<T1, T2> & operator = (const Pair<T1, T2>& otherPair)
{
if ( this != &otherPair )
{
first=otherPair.first;
second=otherPair.second;
}
return *this;
}
至于错误,那么您尝试将指针this
转换为运算符中Pair
类型的对象。