c++中把类的声明和实现分到.h和.cpp文件中去
作者:互联网
在写代码是如果把类的声明和实现等一大堆都写到一个文件中去,会使代码的可读性变的很弱,代码会看起来很乱,尤其是当你纠错调试时会很吃力,所以把类的声明和实现分到其他.h和.cpp中去,下面介绍怎么把他们实现
#include<iostream>
#include<string>
using namespace std;
class point
{
public:
void setx(int x)
{
m_x = x;
}
int getx()
{
return m_x;
}
void sety(int y)
{
m_y = y;
}
int gety()
{
return m_y;
}
private:
int m_x;
int m_y;
};
class circle
{
public:
void setr(int r)
{
m_r = r;
}
int getr()
{
return m_r;
}
void setcenter(point center)
{
m_center = center;
}
point getcenter()
{
return m_center;
}
private:
int m_r;
point m_center;
};
void isincircle(circle& c, point& p)
{
//计算两点之间的距离平方
int distance =
(c.getcenter().getx() - p.getx()) * (c.getcenter().getx() - p.getx()) +
(c.getcenter().gety() - p.gety()) * (c.getcenter().gety() - p.gety());
//计算半径的平方
int rdistance = c.getr() * c.getr();
//判断关系
if (distance == rdistance)
{
cout << "点在圆上" << endl;
}
else if (distance > rdistance)
{
cout << "点在圆外" << endl;
}
else
{
cout << "点在圆内" << endl;
}
}
int main()
{
circle c;
point center;
c.setr(10);
center.setx(10);
center.sety(0);
c.setcenter(center);
//创建点
point p;
p.setx(10);
p.sety(10);
//判断关系
isincircle(c, p);
return 0;
}
比如这段代码看着就会很多的感觉,这时候把上面的两个类,circle和point的声明实现写到别的文件中去。
{首先,以VS2019为例,在头文件处创建新的.h文件,命名为point.h,并且如下图
【
要点如下:
#pragma once 为了避免同一个头文件被包含(include)多次
重复包含就是:例如在上面的类和对象.cpp中写了多次#include<circle.h>但是相当于只写了一次,
#ifndef和#endif,#define都有类似的作用,不同之处在于前者只能针对整个文件,而后三者是可以针对一个文件中的部分代码,详情可以看下面网址:【重新认识C++】11-#pragma once_哔哩哔哩_bilibili
】
在源文件中创建.cpp文件,如上图,对应point.h源文件中有一个point.cpp,如下图:
现在最开始把头文件#include"point.h"写进去然后把 .h中声明的函数都在这个.cpp中写出他的实现(即写出函数体)。但是要注意:如下图,如果只写void setx(int x){函数体} 这样会报错,原因是:未定义标识符m_x 此时需要在setx前面加上 point:: 告诉这个set_x的来源
circle.h和circle.cpp同理,最后写道我们的主源文件中的就会很简洁
#include<iostream>
#include<string>
#include"circle.h"
#include"point.h"
using namespace std;
/判断点和圆的关系
void isincircle(circle& c, point& p)
{
//计算两点之间的距离平方
int distance =
(c.getcenter().getx() - p.getx()) * (c.getcenter().getx() - p.getx()) +
(c.getcenter().gety() - p.gety()) * (c.getcenter().gety() - p.gety());
//计算半径的平方
int rdistance = c.getr() * c.getr();
//判断关系
if (distance == rdistance)
{
cout << "点在圆上" << endl;
}
else if (distance > rdistance)
{
cout << "点在圆外" << endl;
}
else
{
cout << "点在圆内" << endl;
}
}
int main()
{
circle c;
point center;
c.setr(10);
center.setx(10);
center.sety(0);
c.setcenter(center);
//创建点
point p;
p.setx(10);
p.sety(10);
//判断关系
isincircle(c, p);
return 0;
}
代码的可读性直接提升好多档次,灰常的不戳~
标签:分到,point,int,c++,getx,gety,getcenter,cpp,include 来源: https://blog.csdn.net/weixin_45861463/article/details/120978894