【PTA】 类和对象——6-3 点和线段

已知表示点的类CPoint和表示线段的CLine类, 类CPoint包含:(1)表达点位置的私有数据成员x,y (2)构造函数及复制构造函数 类CLine包含: (1)两个CPoint的点对象(该两点分别为线段的两个端点) (2)构造函数(提示:构造函数中用初始化列表对内嵌对象进行初始化) (3)公有成员函数GetLen,其功能为返回线段的长度,返回值类型为整型 (4)类属性成员count用于记录创建的CLine类对象的个数,及用于显示count值的ShowCount函数; 要求: (1)实现满足上述属性和行为的CPoint类及CLine类定义; (2)保证如下主函数能正确运行。

裁判测试程序样例:

/* 请在这里填写答案 */
int main(){
     
     int x,y;
     cin>>x>>y;
     CPoint p1(x,y);
     cin>>x>>y;
     CPoint p2(x,y);
     CLine line1(p1,p2);
     cout<<"the length of line1 is:"<<line1.GetLen()<<endl;
     CLine line2(line1);
     cout<<"the length of line2 is:"<<line2.GetLen()<<endl;
     cout<<"the count of CLine is:"<<CLine::ShowCount()<<endl; 
     return 0;
}

【PTA】 类和对象——6-3 点和线段_第1张图片

#include
using namespace std;

class CPoint
{
     
	int x,y;
public:
	CPoint(int xx=0, int yy=0)      //构造函数 
	{
     
		x=xx,y=yy;
	}
	CPoint(const CPoint &obj)      //拷贝构造函数 
	{
     
		x=obj.x;
		y=obj.y;
	}
	int Get_x()
	{
     
		return x;
	}
	int Get_y()
	{
     
		return y;
	}
};

class CLine:public CPoint          //派生类CLine 
{
      
	CPoint c1,c2;                 //CPoint的点对象 
	static int cnt;               //静态数据成员 
public:
	CLine(const CLine &t)
	{
     
        c1=t.c1;
        c2=t.c2;
        cnt++;
    }
    CLine(CPoint a, CPoint b)
	{
     
        c1=a;
        c2=b;
        cnt++;
    }
    int GetLen()
	{
     
        return sqrt(pow(c1.Get_x()-c2.Get_x(),2)+pow(c1.Get_y()-c2.Get_y(),2));
    }
    static int ShowCount()               //静态成员函数 
	{
     
        return cnt;
    }
};

int CLine::cnt=0;

你可能感兴趣的:(C++,#,PTA水题)