C++語言學習(十五)——C++抽象類與接口

C++語言學習(十五)——C++抽象類與接口

1、抽象類與接口

一、抽象類簡介

面向對象的抽象類用於表示現實世界的抽象概念,是一種只能定義類型,不能產生對象的類(不能實例化),只能被繼承並被重寫相關函數,直接特徵是相關函數沒有完整實現。
C++語言沒有抽象類的概念,經過純虛函數實現抽象類。純虛函數是指定義原型的成員函數,C++中類若是存在純虛函數就成爲了抽象類。
抽象類只能用做父類被繼承,子類必須實現父類純虛函數的具體功能,若是子類沒實現純虛函數,子類也爲抽象類。
抽象類不能夠定義對象,可是能夠定義指針,指針指向子類對象,當子類中實現了純虛函數,能夠實現多態。ios

#include <iostream>

using namespace std;

class Shape
{
public:
    virtual double getArea()const = 0;
};

class Rectangle : public Shape
{
public:
    Rectangle(double a = 0, double b = 0)
    {
        m_width = a;
        m_height = b;
    }
    double getArea()const
    {
        return m_width * m_height;
    }
private:
    double m_width;
    double m_height;
};

class Circle : public Shape
{
public:
    Circle(double radius = 0)
    {
        m_radius = radius;
    }
    double getArea()const
    {
        return 3.1415926*m_radius*m_radius;
    }
private:
    double m_radius;
};

int main(int argc, char *argv[])
{
    Shape* shape;
    Rectangle rect(3,4);
    shape = &rect;
    cout << "Rectangle' area is " << shape->getArea() << endl;
    Circle circle(4);
    shape = &circle;
    cout << "Circle' area is " << shape->getArea() << endl;
    return 0;
}

二、接口簡介

C++中知足下列條件的類稱爲接口:
A、類中沒有定義任何的成員變量
B、全部的成員函數都是公有的
C、全部的成員函數都是純虛函數
從以上條件能夠知道,接口是一種特殊的抽象類。ide

#include <iostream>

using namespace std;

class Channel
{
public:
    virtual bool open() = 0;
    virtual void close() = 0;
    virtual bool send(char* buf, int len) = 0;
    virtual int receive(char* buf, int len) = 0;
};

int main(int argc, char *argv[])
{
    Channel* channel;
    return 0;
}
相關文章
相關標籤/搜索