C ++中的转换构造函数

时间:2015-03-17 14:06:42

标签: c++

下面的程序给出错误'无效使用不完整类型类Rectangle'和'类Rectangle的前向声明'。如何解决这个问题而不编辑任何头文件?有没有办法只使用构造函数进行转换?

include<iostream>
include<math.h>

using namespace std;

class Rectangle;
class Polar
{
    int radius, angle;

public:
    Polar()
    {
        radius = 0;
        angle = 0;
    }

    Polar(Rectangle r)
    {
        radius = sqrt((r.x*r.x) + (r.y*r.y));
        angle = atan(r.y/r.x);
    }

    void getData()
    {
        cout<<"ENTER RADIUS: ";
        cin>>radius;
        cout<<"ENTER ANGLE (in Radians): ";
        cin>>angle;
        angle = angle * (180/3.1415926);
    }

    void showData()
    {
        cout<<"CONVERTED DATA:"<<endl;
        cout<<"\tRADIUS: "<<radius<<"\n\tANGLE: "<<angle;

    }

    friend Rectangle :: Rectangle(Polar P);
};

class Rectangle
{
    int x, y;
public:
    Rectangle()
    {
        x = 0;
        y = 0;
    }

    Rectangle(Polar p)
    {
        x = (p.radius) * cos(p.angle);
        y = (p.radius) * sin(p.angle);
    }

    void getData()
    {
        cout<<"ENTER X: ";
        cin>>x;
        cout<<"ENTER Y: ";
        cin>>y;
    }

    void showData()
    {
        cout<<"CONVERTED DATA:"<<endl;
        cout<<"\tX: "<<x<<"\n\tY: "<<y;
    }

    friend Polar(Rectangle r);


};

2 个答案:

答案 0 :(得分:7)

您尝试访问Rectangle构造函数中的不完整类型Polar(Rectangle)

由于Rectangle构造函数的定义也需要Polar的完整定义,因此您需要将类定义与构造函数定义分开。

解决方案:将您的成员函数的定义放在.cpp文件中,就像您应该这样做,如下所示:

<强> polar.h:

class Rectangle; // forward declaration to be able to reference Rectangle

class Polar
{
    int radius, angle;
public:
    Polar() : radius(0), angle(0) {} // initializes both members to 0
    Polar(Rectangle r); // don't define this here
    ...
};

<强> polar.cpp:

#include "polar.h"
#include "rectangle.h" // to be able to use Rectangle r

Polar::Polar(Rectangle r) // define Polar(Rectangle)
:   radius(sqrt((r.x*r.x) + (r.y*r.y))),
    angle(atan(r.y/r.x))
{
}

以上内容将radiusangle初始化为括号内的内容。

<强> rectangle.h:

class Polar; // forward declaration to be able to reference Polar

class Rectangle
{
    int x, y;
public:
    Rectangle() : x(0), y(0) {} // initializes both x and y to 0
    Rectangle(Polar p); // don't define this here
    ...
};

<强> rectangle.cpp:

#include "rectangle.h"
#include "polar.h" // to be able to use Polar p

Rectangle::Rectangle(Polar p) // define Rectangle(Polar)
:   x((p.radius) * cos(p.angle)),
    y((p.radius) * sin(p.angle))
{
}

我还向您展示了如何使用构造函数初始化列表,您应该在C ++中使用它来初始化成员变量。

答案 1 :(得分:1)

  

如何在不编辑任何头文件的情况下解决此问题。

你做不到。 Polar(Rectangle)的定义必须在Rectangle的定义之后,以便Rectangle在构造函数需要使用它的地方完成。

只需在类定义中声明构造函数:

Polar(Rectangle r);

并在别处定义;在定义Rectangle之后,在源文件中或标题中(在这种情况下,您需要将其标记为inline)。

就个人而言,我将它整理成两个标题,每个类一个,并定义源文件中的所有成员(除非我已经证明它们需要为了性能原因而内联)。然后标题将只需要声明另一个类,并且只需要包含在实现或使用类的源文件中。