1. 程式人生 > >【C++類和物件】計算兩點間距離的兩種方法

【C++類和物件】計算兩點間距離的兩種方法

  1. 使用類的組合(線段Line類中包含點Point類成員):
#include <iostream>
#include <cmath>
using namespace std;

//Point類的定義
class Point {
public:
	Point(int xx = 0, int yy = 0) {//建構函式定義了,類外無需實現
		x = xx;
		y = yy;
	}
	Point(Point &p);//複製建構函式宣告
	int getX() { return x; }//成員函式
	int getY() { return y; }
//成員函式 private: int x, y; }; Point::Point(Point &p) { //複製建構函式的實現 x = p.x; y = p.y; cout << "Calling the copy constructor of Point" << endl; } //類的組合 class Line { //Line類的定義 public: Line(Point xp1, Point xp2);//組合類Line的建構函式的宣告(這裡只有物件(Point類物件)成員所需的形參,無本類成員所需的形參) Line(Line &l);//複製建構函式宣告
double getLen() { return len; }//成員函式 private://私有成員當中,有兩個Point類的物件成員p1,p2 Point p1, p2; //Point類的物件p1,p2 double len; }; //組合類的建構函式 Line::Line(Point xp1, Point xp2) : p1(xp1), p2(xp2) {//引數表內形實結合,生成兩個區域性的Point類物件xp1和xp2(呼叫了兩次Point類複製建構函式), //然後初始化列表,用已有的物件(xp1和xp2)去初始化新Point類物件p1、p2(再次呼叫兩次Point類複製建構函式)
cout << "Calling constructor of Line" << endl; double x = static_cast<double>(p1.getX() - p2.getX()); double y = static_cast<double>(p1.getY() - p2.getY()); len = sqrt(x * x + y * y); } //組合類的複製建構函式 Line::Line(Line &l) : p1(l.p1), p2(l.p2) {//用已有的 Line類的物件l來初始化新的Line類物件(l是物件line的引用) //初始化列表遵循的規則跟組合類建構函式是一樣的!要列出物件1(引數),物件2(引數),... cout << "Calling the copy constructor of Line" << endl; len = l.len; } //主函式 int main() { Point myp1(1, 1), myp2(4, 5); //建立Point類的物件 Line line(myp1, myp2); //建立Line類的物件 Line line2(line); //利用拷貝建構函式建立一個新物件 cout << "The length of the line is: "; cout << line.getLen() << endl; cout << "The length of the line2 is: "; cout << line2.getLen() << endl; return 0; }
  1. 使用友元函式
#include <iostream>
#include <cmath>
using namespace std;

class Point {	//Point類定義
public:	//外部介面
	Point(int x = 0, int y = 0) : x(x), y(y) { }
	int getX() { return x; }
	int getY() { return y; }
	friend float dist(Point &p1, Point &p2);	//友元函式宣告
private:	//私有資料成員
	int x, y;
};

float dist(Point &p1, Point &p2) {	//友元函式實現
	double x = p1.x - p2.x;	//通過物件訪問私有資料成員
	double y = p1.y - p2.y;
	return static_cast<float>(sqrt(x * x + y * y));
}

int main() {	//主函式
	Point myp1(1, 1), myp2(4, 5);	//定義Point類的物件
	cout << "The distance is: ";
	cout << dist(myp1, myp2) << endl;	//計算兩點間的距離
	return 0;
}