C++多重继承重复调用的解决
问题:C++多重继承重复调用的解决
本程序通过VC++ 6.0编译与测试,R为A,B的父类,A,B为C的父类,具体代码如下:
继承的示意图:
//由于多重继承造成的重复调用实例
#include <iostream>
using namespace std;
//祖先类
class R
{
private:
int r;
public:
R (int x=0):r(x){};
void f()
{
cout<<"r"<<r<<endl;
}
void print()
{
cout<<"print R:"<<r<<endl;
}
};
//父类A
class A:public virtual R
{
private:
int a;
public:
A(int x,int y):R(x),a(y){};
void f()
{
cout<<"a="<<a<<endl;
R::f();//调用的父类的f函数
}
};
//父类B
class B:public virtual R
{
private:
int b;
public:
B (int x,int z):R(x),b(z){};
void f()
{
cout<<"b="<<b<<endl;
R::f();//调用的父类的f函数
}
};
//子类C
class C:public A,public B
{
private:
int c;
public:
C(int x,int y,int z,int w):R(x),A(x,y),B(x,z),c(w){};
void f()
{
cout<<"c"<<c<<endl;
A::f();
B::f();
}
};
int main()
{
C ccc(12,34,56,78);
ccc.f(); //由于A,B都调用了R,所以会出现重复打印的问题
return 0;
}
程序运行结果:
//由于多重继承造成的重复调用解决方法实例(使用独立封装的方法解决)
#include <iostream>
using namespace std;
//祖先类
class R
{
private:
int r;
public:
R (int x=0):r(x){};
void f()
{
cout<<"r"<<r<<endl;
}
void print()
{
cout<<"print R:"<<r<<endl;
}
};
//父类A
class A:public virtual R
{
private:
int a;
protected:
void fA() //只打印自己扩展的成员
{
cout<<"a="<<a<<endl;
}
public:
A(int x,int y):R(x),a(y){};
void f() //继承的和自己扩展的都打印
{
fA();
R::f();//调用的父类的f函数
}
};
//父类B
class B:public virtual R
{
private:
int b;
protected:
void fB() //只打印自己扩展的成员
{
cout<<"b="<<b<<endl;
}
public:
B (int x,int z):R(x),b(z){};
void f() //继承的和自己扩展的都打印
{
fB();
R::f();//调用的父类的f函数
}
};
//子类C
class C:public A,public B
{
private:
int c;
protected:
void fC() //只打印自己扩展的成员
{
cout<<"c="<<c<<endl;
}
public:
C(int x,int y,int z,int w):R(x),A(x,y),B(x,z),c(w){};
void f()
{
R::f(); //打印祖先类的
A::fA(); //仅打印父类A扩展的成员
B::fB(); //仅打印父类B扩展的成员
C::fC(); //仅打印子类C扩展的成员
}
};
int main()
{
C ccc(12,34,56,78);
ccc.f();
return 0;
}
程序运行结果: