forked from orbingol/NURBS-Python
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcontrol_points.py
402 lines (305 loc) · 12.5 KB
/
control_points.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
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
"""
.. module:: control_points
:platform: Unix, Windows
:synopsis: Provides helper classes for managing control points
.. moduleauthor:: Onur Rauf Bingol <orbingol@gmail.com>
"""
import abc
import copy
from functools import reduce
from .exceptions import GeomdlException
from ._utilities import export, add_metaclass
@add_metaclass(abc.ABCMeta)
class AbstractManager(object):
""" Abstract base class for control points manager classes.
Control points manager class provides an easy way to set control points without knowing
the internal data structure of the geometry classes. The manager class is initialized
with the number of control points in all parametric dimensions.
All classes extending this class should implement the following methods:
* ``find_index``
This class provides the following properties:
* :py:attr:`ctrlpts`
This class provides the following methods:
* :py:meth:`get_ctrlpt`
* :py:meth:`set_ctrlpt`
* :py:meth:`get_ptdata`
* :py:meth:`set_ptdata`
"""
__slots__ = ('_size', '_num_ctrlpts', '_attachment', '_points', '_pt_data', '_cache', '_iter_index')
def __init__(self, *args, **kwargs):
self._size = [int(arg) for arg in args] # size in all parametric dimensions
self._num_ctrlpts = reduce(lambda x, y: x *y, self._size) # number of control points
self._attachment = kwargs if kwargs else dict() # data attached to the control points
self._points = list() # list of control points
self._pt_data = dict() # dict containing lists of additional data attached to the control points
self._cache = {}
self.reset() # initialize control points list
def __iter__(self):
self._iter_index = 0
return self
def next(self):
return self.__next__()
def __next__(self):
try:
result = self._points[self._iter_index]
except IndexError:
raise StopIteration
self._iter_index += 1
return result
def __len__(self):
return len(self._points)
def __reversed__(self):
return reversed(self._points)
def __getitem__(self, idx):
return self._points[idx]
def __setitem__(self, idx, val):
self._points[idx] = val
def __copy__(self):
# Create a new instance
cls = self.__class__
result = cls.__new__(cls)
# Copy all attributes
for var in self.__slots__:
setattr(result, var, copy.copy(getattr(self, var)))
# Return updated instance
return result
def __deepcopy__(self, memo):
# Create a new instance
cls = self.__class__
result = cls.__new__(cls)
# Don't copy self reference
memo[id(self)] = result
# Don't copy the cache
memo[id(self._cache)] = self._cache.__new__(dict)
# Deep copy all other attributes
for var in self.__slots__:
setattr(result, var, copy.deepcopy(getattr(self, var), memo))
# Return updated instance
return result
@property
def ctrlpts(self):
""" Control points.
Please refer to the `wiki <https://github.com/orbingol/NURBS-Python/wiki/Using-Python-Properties>`_ for details
on using this class member.
:getter: Gets the control points
:setter: Sets the control points
"""
return self._points
@ctrlpts.setter
def ctrlpts(self, value):
self._points = value
def reset(self):
""" Resets/initializes the internal control points array. """
self._points[:] = [[] for _ in range(self._num_ctrlpts)]
for k, v in self._attachment.items():
if v > 1:
self._pt_data[k] = [[0.0 for _ in range(v)] for _ in range(self._num_ctrlpts)]
else:
self._pt_data[k] = [0.0 for _ in range(self._num_ctrlpts)]
def get_ctrlpt(self, *args):
""" Gets the control point from the given location in the array. """
# Find the index
idx = self.find_index(*args)
# Return the control point
try:
return self._points[idx]
except IndexError:
return None
def set_ctrlpt(self, pt, *args):
""" Puts the control point to the given location in the array.
:param pt: control point
:type pt: list, tuple
"""
if not isinstance(pt, (list, tuple)):
raise GeomdlException("'pt' argument should be a list or tuple")
if len(args) != len(self._size):
raise GeomdlException("Input dimensions are not compatible with the geometry")
# Find the index
idx = self.find_index(*args)
# Set control point
try:
self._points[idx] = pt
except IndexError:
raise GeomdlException("Index is out of range")
def get_ptdata(self, dkey, *args):
""" Gets the data attached to the control point.
:param dkey: key of the attachment dictionary
:param dkey: str
"""
# Find the index
idx = self.find_index(*args)
# Return the attached data
try:
return self._pt_data[dkey][idx]
except IndexError:
return None
except KeyError:
return None
def set_ptdata(self, adct, *args):
""" Attaches the data to the control point.
:param adct: attachment dictionary
:param adct: dict
"""
# Find the index
idx = self.find_index(*args)
# Attach the data to the control point
try:
for k, val in adct.items():
if k in self._pt_data:
if isinstance(val, (list, tuple)):
for j, v in enumerate(val):
self._pt_data[k][idx][j] = v
else:
self._pt_data[k][idx] = val
else:
raise GeomdlException("Invalid key: " + str(k))
except IndexError:
raise GeomdlException("Index is out of range")
@abc.abstractmethod
def find_index(self, *args):
""" Finds the array index from the given parametric positions.
.. note::
This is an abstract method and it must be implemented in the subclass.
"""
return 0
class CurveManager(AbstractManager):
""" Curve control points manager.
Control points manager class provides an easy way to set control points without knowing
the internal data structure of the geometry classes. The manager class is initialized
with the number of control points in all parametric dimensions.
B-spline curves are defined in one parametric dimension. Therefore, this manager class
should be initialized with a single integer value.
.. code-block:: python
# Assuming that the curve has 10 control points
manager = CurveManager(10)
Getting the control points:
.. code-block:: python
# Number of control points in all parametric dimensions
size_u = spline.ctrlpts_size_u
# Generate control points manager
cpt_manager = control_points.SurfaceManager(size_u)
cpt_manager.ctrlpts = spline.ctrlpts
# Control points array to be used externally
control_points = []
# Get control points from the spline geometry
for u in range(size_u):
pt = cpt_manager.get_ctrlpt(u)
control_points.append(pt)
Setting the control points:
.. code-block:: python
# Number of control points in all parametric dimensions
size_u = 5
# Create control points manager
points = control_points.SurfaceManager(size_u)
# Set control points
for u in range(size_u):
# 'pt' is the control point, e.g. [10, 15, 12]
points.set_ctrlpt(pt, u, v)
# Create spline geometry
curve = BSpline.Curve()
# Set control points
curve.ctrlpts = points.ctrlpts
"""
def __init__(self, *args, **kwargs):
super(CurveManager, self).__init__(*args, **kwargs)
def find_index(self, *args):
super(CurveManager, self).find_index(*args)
return args[0]
class SurfaceManager(AbstractManager):
""" Surface control points manager.
Control points manager class provides an easy way to set control points without knowing
the internal data structure of the geometry classes. The manager class is initialized
with the number of control points in all parametric dimensions.
B-spline surfaces are defined in one parametric dimension. Therefore, this manager class
should be initialized with two integer values.
.. code-block:: python
# Assuming that the surface has size_u = 5 and size_v = 7 control points
manager = SurfaceManager(5, 7)
Getting the control points:
.. code-block:: python
# Number of control points in all parametric dimensions
size_u = spline.ctrlpts_size_u
size_v = spline.ctrlpts_size_v
# Generate control points manager
cpt_manager = control_points.SurfaceManager(size_u, size_v)
cpt_manager.ctrlpts = spline.ctrlpts
# Control points array to be used externally
control_points = []
# Get control points from the spline geometry
for u in range(size_u):
for v in range(size_v):
pt = cpt_manager.get_ctrlpt(u, v)
control_points.append(pt)
Setting the control points:
.. code-block:: python
# Number of control points in all parametric dimensions
size_u = 5
size_v = 3
# Create control points manager
points = control_points.SurfaceManager(size_u, size_v)
# Set control points
for u in range(size_u):
for v in range(size_v):
# 'pt' is the control point, e.g. [10, 15, 12]
points.set_ctrlpt(pt, u, v)
# Create spline geometry
surf = BSpline.Surface()
# Set control points
surf.ctrlpts = points.ctrlpts
"""
def __init__(self, *args, **kwargs):
super(SurfaceManager, self).__init__(*args, **kwargs)
def find_index(self, *args):
super(SurfaceManager, self).find_index(*args)
return args[1] + (args[0] * self._size[1])
class VolumeManager(AbstractManager):
""" Volume control points manager.
Control points manager class provides an easy way to set control points without knowing
the internal data structure of the geometry classes. The manager class is initialized
with the number of control points in all parametric dimensions.
B-spline volumes are defined in one parametric dimension. Therefore, this manager class
should be initialized with there integer values.
.. code-block:: python
# Assuming that the volume has size_u = 5, size_v = 12 and size_w = 3 control points
manager = VolumeManager(5, 12, 3)
Gettting the control points:
.. code-block:: python
# Number of control points in all parametric dimensions
size_u = spline.ctrlpts_size_u
size_v = spline.ctrlpts_size_v
size_w = spline.ctrlpts_size_w
# Generate control points manager
cpt_manager = control_points.SurfaceManager(size_u, size_v, size_w)
cpt_manager.ctrlpts = spline.ctrlpts
# Control points array to be used externally
control_points = []
# Get control points from the spline geometry
for u in range(size_u):
for v in range(size_v):
for w in range(size_w):
pt = cpt_manager.get_ctrlpt(u, v, w)
control_points.append(pt)
Setting the control points:
.. code-block:: python
# Number of control points in all parametric dimensions
size_u = 5
size_v = 3
size_w = 2
# Create control points manager
points = control_points.VolumeManager(size_u, size_v, size_w)
# Set control points
for u in range(size_u):
for v in range(size_v):
for w in range(size_w):
# 'pt' is the control point, e.g. [10, 15, 12]
points.set_ctrlpt(pt, u, v, w)
# Create spline geometry
volume = BSpline.Volume()
# Set control points
volume.ctrlpts = points.ctrlpts
"""
def __init__(self, *args, **kwargs):
super(VolumeManager, self).__init__(*args, **kwargs)
def find_index(self, *args):
super(VolumeManager, self).find_index(*args)
return args[1] + (args[0] * self._size[1]) + (args[2] * self._size[0] * self._size[1])