如果你想为同一个对象有不同的公共接口,你可以使用虚拟基类。但是那些有开销(内存和空间)。
class View1 {
public:
int x;
}
class View2 : virtual public View1 {
public:
int y;
}
class View3 {
public:
int* a;
}
class Complex : virtual public View1, virtual public View2, virtual public View3 {
}
可以将对象转换为具有不同访问修饰符和相同大小的类。这通常在纯 C 中完成,并带有隐藏实现细节的结构。但是这个解决方案本质上是不安全和未定义的行为,可能很难找到错误,因为优化器如果完成了它的工作,可能无法很好地处理禁止的别名(相同的内存位置具有不同的名称)。当访问修饰符不同时,一些编译器可能会重新排列内存布局。像 dynamic_cast<>、reinterpret_cast<> 和 bit_cast<> 这样的强制转换只允许用于某些类。
class View1 {
public:
int x;
private:
int y;
int* a;
}
class Complex {
public:
int x;
int y;
int* a;
}
现在我找到了至少一种解决方案,哪种使用超类而不是基类作为接口,并且似乎是合法的。这是真的?有没有更简单的方法可以到达那里?
复杂的.h:
#pragma once
#include <iostream>
class Complex {
protected:
Complex(int v) : x(0), y(0), a(new int) { *a = v };
~Complex() { std::cout << "Values before destruction: a: " << *a << ", x: " << x << ", y: " << y << std::endl; delete a; }
int* a;
int x;
int y;
};
视图1.h:
#include "Complex.h"
class View1 : protected Complex {
protected:
View1(int v) : Complex(v) {}; // forward constructor with parameter
public:
using Complex::x;
};
视图2.h:
#include "View1.h"
class View2 : protected View1 { // chain inheritance
protected:
View2(int v) : View1(v) {};
public:
using Complex::y;
};
视图3.h:
#include "View2.h"
class View3 : protected View2 { // chain inheritance
protected:
View3(int v) : View2(v) {};
public:
using Complex::a;
};
组合.h:
#include "View3.h"
class Combined : protected View3 {
public:
Combined(int v) : View3(v) {};
View3& view3() { return *static_cast<View3*>(this); }
View2& view2() { return *static_cast<View2*>(this); }
View1& view1() { return *static_cast<View1*>(this); }
};
测试.cpp:
#include "Combined.h"
#include <iostream>
using namespace std;
int main() {
Combined object(6); // object is constructed
View1& v1 = object.view1(); // view1 only allows access to x
View2& v2 = object.view2(); // view2 only allows access to y
View3& v3 = object.view3(); // view3 only allows access to a
v1.x = 10;
v2.y = 13;
*v3.a = 15;
cout << sizeof(Combined) << endl; // typically only the data members = 16 on a 64-bit system (x: 4, y: 4, a: 8)
cout << addressof(object) << endl; // typically the object and all views have the same address, as only the access modifiers are changed
cout << addressof(v1) << endl;
cout << addressof(v2) << endl;
cout << addressof(v3) << endl;
return 0; // object is destructed and message shown
}
输出是:
16
0000000BF8EFFBE0
0000000BF8EFFBE0
0000000BF8EFFBE0
0000000BF8EFFBE0
Values before destruction: a: 15, x: 10, y: 13
视图只能看到它们各自的成员变量(其他成员受保护)。允许从 Combine 转换为基类(3 个视图)。Complex 类没有特殊要求,甚至没有标准布局或默认可构造。
Complex 类包含所有成员和实现,但必须构造 Combined 类,以便所有视图都是静态基类。
在显示的示例中,视图只能从具有 view1/2/3() 函数的类内部创建,因为继承受到保护。可以进行公共继承,但必须显式地使所有成员对受保护的视图不可见。并且可以看到视图的链接顺序。但优点是,可以直接从组合类中转换视图。这也许也可以通过运算符 View1& 转换运算符来实现?
由于视图知道对象的实际构造(动态)类(=Combined),因此可以从视图指针中进行破坏(此处未实现)。
这些视图仅适用于编译时已知的对象类,否则需要使用传统的虚拟解决方案。
对于静态(非开销)视图,是否有一种更简单(合法)的方式,使用起来很舒服?
(人们总是可以回退到朋友功能)