template< typename T >
double GetAverage(T tArray[], int nElements)
{
T tSum = T(); // tSum = 0
for (int nIndex = 0; nIndex < nElements; ++nIndex)
{
tSum += tArray[nIndex];
}
// convert T to double
return double(tSum) / nElements;
};
template <typename T>
class pair {
public:
T a;
T b;
pair () {
a=T(0);
b=T(0);
} ;
pair (T a1, T b1) {
a=a1;
b=b1;
};
pair operator += (pair other_pair) {
return pair(a+other_pair.a, b+other_pair.b);
}
operator double() {
return double(a)+ double(b);
}
};
int main(void)
{
pair<int > p1[1];
p1[0]=pair<int >(3,4);
std::cout<< GetAverage <pair <int >>(p1,1) <<"\n";
}
我不明白为什么它打印0而不是3.5。
当我从C++ -- How to overload operator+=?复制代码时,一切正常。但我不知道我在哪里 一个错误
答案 0 :(得分:5)
pair operator += (pair other_pair) {
return pair(a+other_pair.a, b+other_pair.b);
}
应该是
pair &operator += (const pair &other_pair) {
a += other_pair.a;
b += other_pair.b;
return *this;
}
您需要修改this
的成员并返回对*this
的引用,而不是新对象。
将other_pair
作为const reference
而不是by value
传递也是一个好主意。