-
Notifications
You must be signed in to change notification settings - Fork 16
/
util.go
96 lines (76 loc) · 1.61 KB
/
util.go
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
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
package delaunay
import "math"
var eps = math.Nextafter(1, 2) - 1
var infinity = math.Inf(1)
func pseudoAngle(dx, dy float64) float64 {
p := dx / (math.Abs(dx) + math.Abs(dy))
if dy > 0 {
p = (3 - p) / 4
} else {
p = (1 + p) / 4
}
return math.Max(0, math.Min(1-eps, p))
}
func area(a, b, c Point) float64 {
return (b.Y-a.Y)*(c.X-b.X) - (b.X-a.X)*(c.Y-b.Y)
}
func inCircle(a, b, c, p Point) bool {
dx := a.X - p.X
dy := a.Y - p.Y
ex := b.X - p.X
ey := b.Y - p.Y
fx := c.X - p.X
fy := c.Y - p.Y
ap := dx*dx + dy*dy
bp := ex*ex + ey*ey
cp := fx*fx + fy*fy
return dx*(ey*cp-bp*fy)-dy*(ex*cp-bp*fx)+ap*(ex*fy-ey*fx) < 0
}
func circumradius(a, b, c Point) float64 {
dx := b.X - a.X
dy := b.Y - a.Y
ex := c.X - a.X
ey := c.Y - a.Y
bl := dx*dx + dy*dy
cl := ex*ex + ey*ey
d := dx*ey - dy*ex
x := (ey*bl - dy*cl) * 0.5 / d
y := (dx*cl - ex*bl) * 0.5 / d
r := x*x + y*y
if bl == 0 || cl == 0 || d == 0 || r == 0 {
return infinity
}
return r
}
func circumcenter(a, b, c Point) Point {
dx := b.X - a.X
dy := b.Y - a.Y
ex := c.X - a.X
ey := c.Y - a.Y
bl := dx*dx + dy*dy
cl := ex*ex + ey*ey
d := dx*ey - dy*ex
x := a.X + (ey*bl-dy*cl)*0.5/d
y := a.Y + (dx*cl-ex*bl)*0.5/d
return Point{x, y}
}
func polygonArea(points []Point) float64 {
var result float64
for i, p := range points {
q := points[(i+1)%len(points)]
result += (p.X - q.X) * (p.Y + q.Y)
}
return result / 2
}
func polygonPerimeter(points []Point) float64 {
if len(points) == 0 {
return 0
}
var result float64
q := points[len(points)-1]
for _, p := range points {
result += p.distance(q)
q = p
}
return result
}