C++纯虚函数与抽象类

来源:互联网 发布:java连接符 编辑:程序博客网 时间:2024/05/17 04:44

        在很多的情况下,在基类中一般都不能给出虚函数的具体而有意义的定义,这时我们就可以将它说明为纯虚函数。它的具体的定义由它的派生类具体完成,这样可以使类之间的结构更加清晰,同时也更容易理解。

        含有纯虚函数的类叫抽象类。

说明纯虚函数的一般格式:

class 类名

  virtual 返回值类型   函数名(参数列表)=0;


1在纯函数中,不能提供出函数的具体实现,而是需要在派生类中再加以具体实现。
2,一个类中可以有多个纯虚函数。包含纯虚函数的类被称为抽象类。
3.一个抽象类只能作为基类来派生新类,而不能说明抽象类的对象和对象数组。
 抽象类只能定义指针。 不能定义对象和数组。
4.可以说明抽象类对象的指针和引用。
5.从一个抽象派生的类必须提供纯虚函数的实现代码,或在该派生类中仍将它说明为纯虚函数。
6,在抽象类中,至少有一个虚函数是纯虚函数。


#ifndef _______Shape__

#define _______Shape__


#include <iostream>

class Shape

{

private:

   int x;

   int y;

public:

   void setX(int _x,int _y);

   int getX();

   int getY();

   virtual float area()=0;//纯虚函数。

};


#endif /* defined(_______Shape__) */





#include "Shape.h"

voidShape::setX(int _x,int _y)

{

   x=_x;

   y=_y;

}

intShape::getX()

{

   return x;

}

intShape::getY()

{

   return y;

    

}



#ifndef _______Rectangle__

#define _______Rectangle__


#include <iostream>

#include "Shape.h"

class Rectangle :publicShape

{

private:

   int width;

   int height;

public:

   void setWH(int _w,int _h);

   int getWidth();

   int getHeigth();

   float area();    

};


#endif /* defined(_______Rectangle__) */



#include "Rectangle.h"

voidRectangle::setWH(int _w,int _h)

{

   width=_w;

   height=_h;

}

intRectangle:: getWidth()

{

   return width;

}

intRectangle::getHeigth()

{

   return height;

}

floatRectangle:: area()

{

    returnwidth*height;

}





#include <iostream>

#include "Rectangle.h"

#include "Shape.h"

using namespacestd;


int main(int argc,const char * argv[])

{

    

   Shape *p;

   Rectangle rect;

    rect.setWH(10,20);

    p=&rect;//加上virtual,基类可以调用派生类的函数。

    cout<<p->area()<<endl;//调用派生类的函数,实现多态5

    

    

    

    

    

    

   return 0;

}



原创粉丝点击