编写程序用友元函数计算两点之间的距离
时间: 2023-04-27 18:00:59 浏览: 87
好的,以下是用友元函数计算两点之间距离的程序:
```c++
#include <iostream>
#include <cmath>
using namespace std;
class Point {
private:
double x, y;
public:
Point(double x = , double y = ) : x(x), y(y) {}
friend double distance(const Point& p1, const Point& p2);
};
double distance(const Point& p1, const Point& p2) {
double dx = p1.x - p2.x;
double dy = p1.y - p2.y;
return sqrt(dx*dx + dy*dy);
}
int main() {
Point p1(1, 2);
Point p2(4, 6);
cout << "Distance between p1 and p2 is " << distance(p1, p2) << endl;
return ;
}
```
在这个程序中,我们定义了一个 `Point` 类,其中包含了两个私有成员变量 `x` 和 `y`,表示点的横纵坐标。然后我们定义了一个友元函数 `distance`,用来计算两个点之间的距离。在 `distance` 函数中,我们通过两个点的横纵坐标计算出它们之间的距离,并返回这个距离值。
在 `main` 函数中,我们创建了两个点 `p1` 和 `p2`,然后调用 `distance` 函数计算它们之间的距离,并输出结果。
阅读全文