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
|
#include <fitz.h>
fz_matrix
fz_concat(fz_matrix one, fz_matrix two)
{
fz_matrix dst;
dst.a = one.a * two.a + one.b * two.c;
dst.b = one.a * two.b + one.b * two.d;
dst.c = one.c * two.a + one.d * two.c;
dst.d = one.c * two.b + one.d * two.d;
dst.e = one.e * two.a + one.f * two.c + two.e;
dst.f = one.e * two.b + one.f * two.d + two.f;
return dst;
}
fz_matrix
fz_identity(void)
{
return (fz_matrix) { 1, 0, 0, 1, 0, 0 };
}
fz_matrix
fz_scale(float sx, float sy)
{
return (fz_matrix) { sx, 0, 0, sy, 0, 0 };
}
fz_matrix
fz_rotate(float theta)
{
float s = sin(theta * M_PI / 180.0);
float c = cos(theta * M_PI / 180.0);
return (fz_matrix) { c, s, -s, c, 0 ,0 };
}
fz_matrix
fz_translate(float tx, float ty)
{
return (fz_matrix) { 1, 0, 0, 1, tx, ty };
}
fz_matrix
fz_invertmatrix(fz_matrix src)
{
fz_matrix dst;
float rdet = 1.0 / (src.a * src.d - src.b * src.c);
dst.a = src.d * rdet;
dst.b = -src.b * rdet;
dst.c = -src.c * rdet;
dst.d = src.a * rdet;
dst.e = -src.e * dst.a - src.f * dst.c;
dst.f = -src.e * dst.b - src.f * dst.d;
return dst;
}
int
fz_isrectilinear(fz_matrix m)
{
return (fabs(m.b) < FLT_EPSILON && fabs(m.c) < FLT_EPSILON) ||
(fabs(m.a) < FLT_EPSILON && fabs(m.d) < FLT_EPSILON);
}
fz_point
fz_transformpoint(fz_matrix m, fz_point p)
{
float x = p.x * m.a + p.y * m.c + m.e;
float y = p.x * m.b + p.y * m.d + m.f;
return (fz_point) { x, y };
}
|