重载运算符>课堂模板中的朋友

时间:2017-12-25 10:28:29

标签: c++ templates operator-overloading friend-function

我正在尝试重载运算符>我的模板类中的朋友功能。这个重载运算符的目标是确定左数组是否大于右数组,而不管类型如何。我想要一些类似于arrayInt>的东西。 arrayFloat返回一个布尔值。但是,在定义友元函数时,我收到一个错误,告诉我我有一个未声明的标识符。我在Mac上使用XCode。知道如何在仍然使用朋友重载函数的同时解决这个问题吗?

Array.h

#ifndef Array_h
#define Array_h

#include <iostream>

template <class T> class Array;

template <class T, class S>
bool operator> (const Array<T>& arr1, const Array<S>& arr2);

template <class T>
class Array {
private:
   int arraySize;
   T * array;

public:
   Array() : arraySize(0), array(nullptr){};
   Array(int);
  ~Array();
   int getSize(){return this->arraySize;}
   void printArray();

   //error here, "S is an undeclared identifier"
   friend bool operator> (const Array<T>& arr1, const Array<S>& arr2) {
     return (arr1.arraySize > arr2.arraySize);
   }   
};

template <class T>
Array<T>::Array(int size) {
  this->arraySize = (size > 0 ? size : 0);
  this->array = new T [this->arraySize];
  for(int i=0; i<this->arraySize; i++) {
     this->array[i] = 0;
  }
}

template <class T>
Array<T>::~Array() {
  delete [] this->array;
}

template <class T>
void Array<T>::printArray() {
   for(int i=0; i<this->arraySize; i++) {
      std::cout << this->array[i] << std::endl;
   }
}

#endif /* Array_h */

的main.cpp

#include "Array.h"
int main(int argc, char ** argv) {
  Array<int> arrayInt(5);
  Array<float> arrayFloat(10);

  std::cout << "Number of elements in integer array: " << arrayInt.getSize() 
  << std::endl;
  std::cout << "Values in integer array:" << std::endl;
  arrayInt.printArray();

  std::cout << "Number of elements in float array: " << arrayFloat.getSize() 
  << std::endl;
  std::cout << "Values in float array:" << std::endl;
  arrayFloat.printArray();

  bool isGreater = arrayInt > arrayFloat;

  std::cout << isGreater;

  return 0;
}

1 个答案:

答案 0 :(得分:2)

朋友声明与功能模板不匹配,它也必须是模板:

template<typename TT, typename TS> friend bool
operator >(const Array<TT>& arr1, const Array<TS>& arr2) {
  return (arr1.arraySize > arr2.arraySize);
} 

实际上没有必要把它变成朋友,在外面定义并只需拨打getSize()

template<typename T, typename S> bool
operator >(const Array<T>& arr1, const Array<S>& arr2) {
  return (arr1.getSize() > arr2.getSize());
}