我正在尝试编写自己的矢量模板类,但在编写友元函数声明时遇到了一些问题。
起初我写的是这样的:
template <typename T, typename Alloc = std::allocator<T>>
class vector {
public:
friend bool operator==(const vector<T, Alloc>&, const vector<T, Alloc>&);
};
但编译器会报告我声明非模板函数的警告。所以我将朋友声明改为:
template <typename T, typename Alloc = std::allocator<T>>
class vector {
public:
template <typename E, typename F>
friend bool operator==(const vector<E, F>&, const vector<E, F>&);
};
到目前为止一切都很好,但我认为仍有问题。如果我这样写,我会创建所有operator==
函数,它们将两个模板参数作为其友元函数。例如,operator==(const vector<int>&, const vector<int>&)
和operator==(const vector<double>&, const vector<double>&)
都是vector<int>
的朋友功能。
在模板类中编写好友函数的正确方法是什么?
答案 0 :(得分:4)
但编译器会报告我声明非模板函数的警告。
是的,您在类定义中声明了非模板函数。这意味着如果您从类定义中定义它,则必须将其定义为非模板函数,并且对于所有可能的实例化,例如:
bool operator==(const vector<int>& v1, const vector<int>& v2)
{
...
}
bool operator==(const vector<char>& v1, const vector<char>& v2)
{
...
}
这很难看,您可以在类定义中定义它,如
template <typename T, typename Alloc = std::allocator<T>>
class vector {
public:
friend bool operator==(const vector<T, Alloc>&, const vector<T, Alloc>&) {
...
}
};
如果您想将其定义为模板功能,并限制友谊范围,您可以
// forward declaration
template <typename T, typename Alloc>
class vector;
// forward declaration
template <typename T, typename Alloc>
bool operator==(const vector<T, Alloc>& v1, const vector<T, Alloc>& v2);
template <typename T, typename Alloc = std::allocator<T>>
class vector {
private:
int i;
public:
// only the instantiation of operator== with template parameter type of current T and Alloc becomes friend
friend bool operator==<>(const vector<T, Alloc>& v1, const vector<T, Alloc>& v2);
};
template <typename T, typename Alloc = std::allocator<T>>
bool operator==(const vector<T, Alloc>& v1, const vector<T, Alloc>& v2)
{
...
}
然后,对于vector<int>
,只有bool operator==(const vector<int>&, const vector<int>&)
是朋友,其他实例化如bool operator==(const vector<double>&, const vector<double>&)
则不是。