鉴于:
class Base:
{
public:
...
Base operator+( const Base& other );
Base& scale( float num );
}
class Derived : public Base:
{
public:
...
Derived( const Base& other );
float super_math_wizardry();
}
//A user can do the following:
Base b1,b2,b3;
Derived d1,d2,d3;
b3 = b1 + b2;
d3 = d1 + d2;
b3 = b1.scale( 2.0f );
d3 = d1.scale( 3.0f ); //scale returns Base& type that is converted to Derived
float x,y;
x = (d1+d2).super_math_wizardry(); //compiler type error since d1+d2 returns Base type
y = (d1.scale(4.0f)).super_math_wizardry(); //similar compiler error
x = Derived(d1+d2).super_math_wizardry(); //works
y = Derived(d1.scale(4.0f)).super_math_wizardry(); //works
有没有办法让前两个语句工作而无需重新实现 Derived 中的每个 Base 方法(使 Derived 方法调用 Base 方法并返回 Derived 类型)并且不需要用户进行强制转换/调用复制构造函数?
编辑:所有 Derived 对象都在 Base 对象集中(类继承需要),但并非所有 Base 对象都在 Derived 对象集中。它们具有相同的数据成员,但 Derived 对象具有分配给这些数据成员之一的常量值(所有 Derived 对象具有相同的常量值)。
有许多特定于 Base 或 Derived 的方法,但大多数运算符和 set/get 访问器在 Base 和 Derived 对象上具有相同的定义行为。我想要做的事情是当我在 Derived 对象上调用 Base 方法时返回 Derived 或 Derived& (因为这些操作是在数学上定义的),同时在调用 Base 方法时仍然得到 Base 或 Base&在 Base 对象上。
上下文:Base 是一个 Matrix 类,而 Derived 是一个 Vector(列)类。Derived( const Base& other ) 构造函数用于从单列 (nx1) 矩阵中显式获取向量。
所以我想要:
x = (d1+d2).super_math_wizardry(); //works
y = (b1+b2).super_math_wizardry(); //fails (although possibly at run-time since a nx1 Matrix is a column vector)