我有一个类模板Foo<T>
。
我想实现一个非成员函数Bar
,它需要两个Foo
s 并返回一个Foo
. 我想Bar
成为非会员,因为调用者写Bar(f1, f2)
比f1.Bar(f2)
. 我也想Bar
成为,inline
因为计算是琐碎和频繁的。
template <typename T>
inline Foo<T> Bar(const Foo<T> &lhs, const Foo<T> &rhs) {
...
}
诀窍是Bar
需要访问Foo
的私人数据。我不希望有私有数据的访问者——没有充分的理由向用户公开私有数据。所以想交Bar
个朋友Foo
。
template <typename T>
class Foo {
...
private:
T w, x, y, z;
friend Foo<T> Bar(const Foo<T> &lhs, const Foo<T> &rhs);
};
这就是我遇到麻烦的地方。编译器抱怨:
当友元声明引用函数模板的特化时,不能使用 inline 说明符。
这个规则是由标准强加的还是特定于 MSVC++ 的?
这是我尝试过的:
创建
Bar
一个 const 公共成员函数,然后声明一个简单返回的非成员版本lhs.Bar(rhs)
。这似乎是最简单的解决方案。删除
inline
提示,知道编译器将决定内联而不管提示。这会违反单一定义规则吗?它仍然必须在头文件中定义,因为它是一个函数模板。使用虚拟模板类型声明成员函数:
template <typename T> class Foo { ... private: T w, x, y, z; // Note that this declaration doesn't actually use Dummy. It's just there to // satisfy the compiler. template <typename Dummy> friend Foo<T> Bar(const Foo<T> &lhs, const Foo<T> &rhs); };
我不完全确定为什么会这样,但它确实满足了编译器。
有更好的解决方案吗?