-
Notifications
You must be signed in to change notification settings - Fork 29
/
svg3d.py
167 lines (132 loc) · 6.07 KB
/
svg3d.py
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
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
# svg3d :: https://prideout.net/blog/svg_wireframes/
# Single-file Python library for generating 3D wireframes in SVG format.
# Copyright (c) 2019 Philip Rideout
# Distributed under the MIT License, see bottom of file.
import numpy as np
import pyrr
import svgwrite
from typing import NamedTuple, Callable, Sequence
class Viewport(NamedTuple):
minx: float = -0.5
miny: float = -0.5
width: float = 1.0
height: float = 1.0
@classmethod
def from_aspect(cls, aspect_ratio: float):
return cls(-aspect_ratio / 2.0, -0.5, aspect_ratio, 1.0)
@classmethod
def from_string(cls, string_to_parse):
args = [float(f) for f in string_to_parse.split()]
return cls(*args)
class Camera(NamedTuple):
view: np.ndarray
projection: np.ndarray
class Mesh(NamedTuple):
faces: np.ndarray
shader: Callable[[int, float], dict] = None
style: dict = None
circle_radius: float = 0
class Scene(NamedTuple):
meshes: Sequence[Mesh]
def add_mesh(self, mesh: Mesh):
self.meshes.append(mesh)
class View(NamedTuple):
camera: Camera
scene: Scene
viewport: Viewport = Viewport()
class Engine:
def __init__(self, views, precision=5):
self.views = views
self.precision = precision
def render(self, filename, size=(512, 512), viewBox="-0.5 -0.5 1.0 1.0", **extra):
drawing = svgwrite.Drawing(filename, size, viewBox=viewBox, **extra)
self.render_to_drawing(drawing)
drawing.save()
def render_to_drawing(self, drawing):
for view in self.views:
projection = np.dot(view.camera.view, view.camera.projection)
clip_path = drawing.defs.add(drawing.clipPath())
clip_min = view.viewport.minx, view.viewport.miny
clip_size = view.viewport.width, view.viewport.height
clip_path.add(drawing.rect(clip_min, clip_size))
for mesh in view.scene.meshes:
g = self._create_group(drawing, projection, view.viewport, mesh)
g["clip-path"] = clip_path.get_funciri()
drawing.add(g)
def _create_group(self, drawing, projection, viewport, mesh):
faces = mesh.faces
shader = mesh.shader or (lambda face_index, winding: {})
default_style = mesh.style or {}
# Extend each point to a vec4, then transform to clip space.
faces = np.dstack([faces, np.ones(faces.shape[:2])])
faces = np.dot(faces, projection)
# Reject trivially clipped polygons.
xyz, w = faces[:, :, :3], faces[:, :, 3:]
accepted = np.logical_and(np.greater(xyz, -w), np.less(xyz, +w))
accepted = np.all(accepted, 2) # vert is accepted if xyz are all inside
accepted = np.any(accepted, 1) # face is accepted if any vert is inside
degenerate = np.less_equal(w, 0)[:, :, 0] # vert is bad if its w <= 0
degenerate = np.any(degenerate, 1) # face is bad if any of its verts are bad
accepted = np.logical_and(accepted, np.logical_not(degenerate))
faces = np.compress(accepted, faces, axis=0)
# Apply perspective transformation.
xyz, w = faces[:, :, :3], faces[:, :, 3:]
faces = xyz / w
# Sort faces from back to front.
face_indices = self._sort_back_to_front(faces)
faces = faces[face_indices]
# Apply viewport transform to X and Y.
faces[:, :, 0:1] = (1.0 + faces[:, :, 0:1]) * viewport.width / 2
faces[:, :, 1:2] = (1.0 - faces[:, :, 1:2]) * viewport.height / 2
faces[:, :, 0:1] += viewport.minx
faces[:, :, 1:2] += viewport.miny
# Compute the winding direction of each polygon.
windings = np.zeros(faces.shape[0])
if faces.shape[1] >= 3:
p0, p1, p2 = faces[:, 0, :], faces[:, 1, :], faces[:, 2, :]
normals = np.cross(p2 - p0, p1 - p0)
np.copyto(windings, normals[:, 2])
group = drawing.g(**default_style)
# Create circles.
if mesh.circle_radius > 0:
for face_index, face in enumerate(faces):
style = shader(face_indices[face_index], 0)
if style is None:
continue
face = np.around(face[:, :2], self.precision)
for pt in face:
group.add(drawing.circle(pt, mesh.circle_radius, **style))
return group
# Create polygons and lines.
for face_index, face in enumerate(faces):
style = shader(face_indices[face_index], windings[face_index])
if style is None:
continue
face = np.around(face[:, :2], self.precision)
if len(face) == 2:
group.add(drawing.line(face[0], face[1], **style))
else:
group.add(drawing.polygon(face, **style))
return group
def _sort_back_to_front(self, faces):
z_centroids = -np.sum(faces[:, :, 2], axis=1)
for face_index in range(len(z_centroids)):
z_centroids[face_index] /= len(faces[face_index])
return np.argsort(z_centroids)
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
# SOFTWARE.