计算几何基础

计算几何是什么呢?

模板

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
struct Point {
double x, y;
Point(double x = 0, double y = 0):x(x), y(y) { }
};

typedef Point Vector;

Vector operator + (Vector A, Vector B) {
return Vector(A.x + B.x, A.y + B.y);
}

Vector operator - (Vector A, Vector B) {
return Vector(A.x - B.x, A.y - B.y);
}

Vector operator * (Vector A, double p) {
return Vector(A.x * p, A.y * p);
}

Vector operator / (Vector A, double p) {
return Vector(A.x / p, A.y / p);
}

const double EPS = 1e-10;
int dcmp(double x) {
if (fabs(x) < EPS) return 0; else return x < 0 ? -1 : 1;
}

bool operator == (Vector A, Vector B) {
return dcmp(A.x - B.x) == 0 && dcmp(A.y - B.y) == 0;
}

double Cross(Vector A, Vector B) {
return A.x * B.y - A.y * B.x;
}

double Dot(Vector A, Vector B) {
return A.x * B.x + A.y * B.y;
}

double Length(Vector A) {
return sqrt(Dot(A, A));
}

Point GetLineIntersection(Point P, Vector v, Point Q, Vector w) {
Vector u = P - Q;
double t = Cross(w, u) / Cross(v, w);
return P + v * t;
}

double Angle(Vector A, Vector B) {
return acos(Dot(A, B) / Length(A) / Length(B));
}

Vector Rotate(Vector A, double rad) {
return Vector(A.x * cos(rad) - A.y * sin(rad), A.x * sin(rad) + A.y * cos(rad));
}

double DistanceToSegment(Point P, Point A, Point B) {
if (A == B) return Length(P - A);
Vector v1 = B - A, v2 = P - A, v3 = P - B;
if (dcmp(Dot(v1, v2)) < 0) return length(v2);
else if (demp(Dot(v1, v3)) < 0) return length(v3);
else return fabs(Cross(v1, v2)) / Length(v1);
}

Comments

Your browser is out-of-date!

Update your browser to view this website correctly. Update my browser now

×