如何使用具有纯虚函数的父 class 在 C++ 中访问父 class 的构造函数

How to access Constructor of Parent class in C++ with parent class having a pure virtual function

我正在尝试从 Class 形状创建圆形和矩形。如果我使用参数调用 Shape() 构造函数(来自 circle class),我希望为 y 分配 pi。由于 Shape 具有纯虚函数,因此编译器显示错误。我怎样才能克服这个错误。为什么默认参数 运行 正确呢? 我也试过 this->Shape(0) from Circle class。编译器说 "Invalid use of this"

#include<iostream>
using namespace std;

class Shape
{public:
double x,y;

   Shape()
   {x=0;y=0;}

   Shape(int p,int t=3.14159)
   {x=p;y=t;}

   virtual void display_area()=0;
   virtual void get_data()=0;
};



class Circle: public Shape
{public:

    Circle()
    {Shape(0);}    //ERROR HERE

    void get_data()
    {cout<<"\nRadius: ";cin>>x;}

    void display_area()
    {cout<<"\nArea: "<<y*x*x;}
};

要调用基础构造函数,您需要使用 member initialization list.

变化:

Circle()
{
    Shape(0);
}    //ERROR HERE

Circle() : Shape(0)
{

}

base 类 总是在构造函数块运行之前初始化,所以你在构造函数的 member initialization list..

我还修复了您代码中的另一个错误....您正在进行一些缩小转换,这不会如您所愿...

#include<iostream>
using namespace std;

class Shape
{
public:
    double x,y;

Shape()
{  
     x=0;
     y=0;
}

Shape(double p, double t=3.14159)   //changed from Shape(int p, int t=3.14159)
{  
     x=p;
     y=t;
}

virtual void display_area()=0;

virtual void get_data()=0;
};

class Circle: public Shape
{
public:
    Circle() : Shape(0)
{  /*Shape(0); */ }    //Not HERE

void get_data()
{   
     cout<<"\nRadius: ";
     cin>>x;
}

void display_area()
{
     cout<<"\nArea: "<<y*x*x;}
};