虚函数重载
在父类派生出多个子类后,由于每个子类之间需要进行运算,或操作,就可以采用虚类的重载,具体看thinking
in C++中的例子:
- #include <iostream>
-
#include <string>
-
-
using namespace std;
-
-
class Matrix;
-
class Scalar;
-
class Vector;
-
-
class Math{
-
public:
-
virtual Math& operator*(Math& rv)=0;
-
virtual Math& multiply(Matrix*)=0;
-
virtual Math& multiply(Scalar*)=0;
-
virtual Math& multiply(Vector*)=0;
-
virtual ~Math(){}
-
};
-
class Matrix:public Math{
-
public:
-
Math& operator*(Math& rv){
-
return rv.multiply(this);
-
}
-
Math& multiply(Matrix*){
-
cout<<"Matrix*Matrix"<<endl;
-
return *this;
-
}
-
Math& multiply(Scalar*){
-
cout<<"Scalar*Scalar"<<endl;
-
return *this;
-
}
-
Math& multiply(Vector*){
-
cout<<"Vector*Vector"<<endl;
-
return *this;
-
}
-
};
-
class Scalar:public Math{
-
public:
-
Math& operator*(Math& rv){
-
return rv.multiply(this);
-
}
-
Math& multiply(Matrix*){
-
cout<<"Matrix*Matrix"<<endl;
-
return *this;
-
}
-
Math& multiply(Scalar*){
-
cout<<"Scalar*Scalar"<<endl;
-
return *this;
-
}
-
Math& multiply(Vector*){
-
cout<<"Vector*Vector"<<endl;
-
return *this;
-
}
-
};
-
class Vector:public Math{
-
public:
-
Math& operator*(Math& rv){
-
return rv.multiply(this);
-
}
-
Math& multiply(Matrix*){
-
cout<<"Matrix*Matrix"<<endl;
-
return *this;
-
}
-
Math& multiply(Scalar*){
-
cout<<"Scalar*Scalar"<<endl;
-
return *this;
-
}
-
Math& multiply(Vector*){
-
cout<<"Vector*Vector"<<endl;
-
return *this;
-
}
-
};
-
int main()
-
{
-
Matrix m;Vector v;Scalar s;
-
Math* math[]={&m,&v,&s};
-
for(int i=0;i<3;i++)
-
for(int j=0;j<3;j++)
运行结构如下:
- Matrix*Matrix
-
Matrix*Matrix
-
Matrix*Matrix
-
Vector*Vector
-
Vector*Vector
-
Vector*Vector
-
Scalar*Scalar
-
Scalar*Scalar
-
Scalar*Scalar
如果在声明的虚函数后面添加”=0”,则标明该函数为纯虚函数,而对应的类为抽象类,如果子类没有完全实现父类的纯虚函数,则子类也为抽象类。同样的,析构函数也可以声明为虚函数,而且在基类中的析构函数必须为虚函数,否则就会出现内存泄漏,析构函数也可以声明为纯虚函数,但是还是要在基类定义中给予实现,否则就会出现错误,而且在析构函数中调用虚函数一样会失效,因为虚函数需要类的继承层次性,但是构造函数是从基类到子类,而析构函数是子类到基类,析构到最后子类都已经释放了,这样当然就不能调用析构函数了。虚析构函数的意义在于当声明基类为抽象类而没有方法声明为纯虚函数时,纯虚析构函数就派上了用场。
阅读(855) | 评论(0) | 转发(0) |