我正在尝试实现类CRTP层次结构。我感兴趣的是基类可以访问链中派生类的数据成员:
#include <iostream>
template <class Derived>
class A {
public:
void showv() {
std::cout << static_cast<const Derived*>(this)->v << std::endl;
}
};
template <class Derived>
class B : public A< Derived > {
typedef A<Derived> base;
friend base;
};
class fromA : public A<fromA> {
typedef A<fromA> base;
friend base;
protected:
int v = 1;
};
class fromB : public B<fromB>
{
typedef B<fromB> base;
friend base;
protected:
int v = 2;
};
int main()
{
// This runs ok
fromA derived_from_a;
derived_from_a.showv();
// Why doesn't the following compile and complains about the protected member?
fromB derived_from_b;
derived_from_b.showv();
return 0;
}
虽然第一个派生类(fromA
)按预期编译和运行,但第二个(fromB
)派生自派生自A
的类,但不是。
答案 0 :(得分:4)
问题是:我朋友的朋友不是我的朋友。
在fromA
你有
typedef A<fromA> base;
friend base;
使A<fromA>
成为朋友,show
可以访问fromA
的受保护成员。
在fromB
你还有
typedef B<fromB> base;
friend base;
但这并不能使A
成为朋友,而是让B
成为你的朋友。即使A是B
的朋友,但这并不意味着它现在也是fromB
的朋友,这就是您无法访问v
中的show
的原因。
解决此问题的一种方法是在typedef A<Derived> base;
中公开或保护B
,然后在fromB
中添加friend base::base;
,这将A
访问。