Skip to content

vedo.transformations

transformations

transformations

LinearTransform

Work with linear transformations.

Source code in vedo/core/transformations.py
 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
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
class LinearTransform:
    """Work with linear transformations."""

    def __init__(self, T=None) -> None:
        """
        Define a linear transformation.
        Can be saved to file and reloaded.

        Args:
            T (str, vtkTransform, numpy array):
                input transformation. Defaults to unit.

        Examples:
            ```python
            from vedo import *
            settings.use_parallel_projection = True

            LT = LinearTransform()
            LT.translate([3,0,1]).rotate_z(45)
            LT.comment = "shifting by (3,0,1) and rotating by 45 deg"
            print(LT)

            sph = Sphere(r=0.2)
            sph.apply_transform(LT) # same as: LT.move(s1)
            print(sph.transform)

            show(Point([0,0,0]), sph, str(LT.matrix), axes=1).close()
            ```
        """
        self.name = "LinearTransform"
        self.filename = ""
        self.comment = ""

        if T is None:
            T = vtki.vtkTransform()

        elif isinstance(T, vtki.vtkMatrix4x4):
            S = vtki.vtkTransform()
            S.SetMatrix(T)
            T = S

        elif isinstance(T, vtki.vtkLandmarkTransform):
            S = vtki.vtkTransform()
            S.SetMatrix(T.GetMatrix())
            T = S

        elif _is_sequence(T):
            S = vtki.vtkTransform()
            M = vtki.vtkMatrix4x4()
            arr = np.asarray(T, dtype=float)
            if arr.ndim != 2 or arr.shape[0] != arr.shape[1]:
                raise ValueError(
                    f"LinearTransform: expected a square 2D matrix, got shape {arr.shape}"
                )
            n = arr.shape[0]
            for i in range(n):
                for j in range(n):
                    M.SetElement(i, j, arr[i, j])
            S.SetMatrix(M)
            T = S

        elif isinstance(T, vtki.vtkLinearTransform):
            S = vtki.vtkTransform()
            S.DeepCopy(T)
            T = S

        elif isinstance(T, LinearTransform):
            S = vtki.vtkTransform()
            S.DeepCopy(T.T)
            T = S

        elif isinstance(T, str):
            import json

            self.filename = str(T)
            try:
                with open(self.filename, "r") as read_file:
                    D = json.load(read_file)
                self.name = D.get("name", "LinearTransform")
                self.comment = D.get("comment", "")
                matrix = np.array(D["matrix"])
            except json.decoder.JSONDecodeError:
                ### assuming legacy vedo format E.g.:
                # aligned by manual_align.py
                # 0.8026854838223 -0.0789823873914 -0.508476844097  38.17377632072
                # 0.0679734082661  0.9501827489452 -0.040289803376 -69.53864247951
                # 0.5100652300642 -0.0023313569781  0.805555043665 -81.20317788519
                # 0.0 0.0 0.0 1.0
                with open(self.filename, "r", encoding="UTF-8") as read_file:
                    lines = read_file.readlines()
                    i = 0
                    matrix = np.eye(4)
                    for line in lines:
                        if line.startswith("#"):
                            self.comment = line.replace("#", "").strip()
                            continue
                        vals = line.split()
                        for j in range(len(vals)):
                            v = vals[j].replace("\n", "")
                            if v != "":
                                matrix[i, j] = float(v)
                        i += 1
            T = vtki.vtkTransform()
            m = vtki.vtkMatrix4x4()
            for i in range(4):
                for j in range(4):
                    m.SetElement(i, j, matrix[i][j])
            T.SetMatrix(m)

        self.T = T
        self.T.PostMultiply()
        self.inverse_flag = False

    def _summary_rows(self):
        rows = [("name", self.name)]
        if self.filename:
            rows.append(("filename", self.filename))
        if self.comment:
            rows.append(("comment", self.comment))
        rows.append(("concatenations", str(self.ntransforms)))
        rows.append(("inverse flag", str(bool(self.inverse_flag))))
        rows.append(
            (
                "matrix 4x4",
                np.array2string(
                    self.matrix, separator=", ", precision=6, suppress_small=True
                ),
            )
        )
        return rows

    def __str__(self):
        return summary_string(self, self._summary_rows())

    def __repr__(self):
        return self.__str__()

    def __rich__(self):
        return summary_panel(self, self._summary_rows())

    def print(self) -> LinearTransform:
        """Print transformation."""
        print(self)
        return self

    def __call__(self, obj):
        """
        Apply transformation to object or single point.
        Same as `move()` except that a copy is returned.
        """
        return self.move(obj.copy())

    def transform_point(self, p) -> np.ndarray:
        """
        Apply transformation to a single point.
        """
        if len(p) == 2:
            p = [p[0], p[1], 0]
        return np.array(self.T.TransformFloatPoint(p))

    def move(self, obj):
        """
        Apply transformation to object or single point.

        Note:
            When applying a transformation to a mesh, the mesh is modified in place.
            If you want to keep the original mesh unchanged, use `clone()` method.

        Examples:
            ```python
            from vedo import *
            settings.use_parallel_projection = True

            LT = LinearTransform()
            LT.translate([3,0,1]).rotate_z(45)
            print(LT)

            s = Sphere(r=0.2)
            LT.move(s)
            # same as:
            # s.apply_transform(LT)

            zero = Point([0,0,0])
            show(s, zero, axes=1).close()
            ```
        """
        if _is_sequence(obj):
            n = len(obj)
            if n == 2:
                obj = [obj[0], obj[1], 0]
            return np.array(self.T.TransformFloatPoint(obj))

        obj.apply_transform(self)
        return obj

    def reset(self) -> Self:
        """Reset transformation."""
        self.T.Identity()
        return self

    def compute_main_axes(self) -> np.ndarray:
        """
        Compute main axes of the transformation matrix.
        These are the axes of the ellipsoid that is the
        image of the unit sphere under the transformation.

        Examples:
        ```python
        from vedo import *
        settings.use_parallel_projection = True

        M = np.random.rand(3,3)-0.5
        print(M)
        print(" M@[1,0,0] =", M@[1,1,0])

        ######################
        A = LinearTransform(M)
        print(A)
        pt = Point([1,1,0])
        print(A(pt).coordinates[0], "is the same as", A([1,1,0]))

        maxes = A.compute_main_axes()

        arr1 = Arrow([0,0,0], maxes[0]).c('r')
        arr2 = Arrow([0,0,0], maxes[1]).c('g')
        arr3 = Arrow([0,0,0], maxes[2]).c('b')

        sphere1 = Sphere().wireframe().lighting('off')
        sphere1.cmap('hot', sphere1.coordinates[:,2])

        sphere2 = sphere1.clone().apply_transform(A)

        show([sphere1, [sphere2, arr1, arr2, arr3]], N=2, axes=1, bg='bb')
        ```
        """
        m = self.matrix3x3
        eigval, eigvec = np.linalg.eig(m @ m.T)
        eigval = np.sqrt(eigval)
        return np.array(
            [
                eigvec[:, 0] * eigval[0],
                eigvec[:, 1] * eigval[1],
                eigvec[:, 2] * eigval[2],
            ]
        )

    def pop(self) -> Self:
        """Delete the transformation on the top of the stack
        and sets the top to the next transformation on the stack."""
        self.T.Pop()
        return self

    def is_identity(self) -> bool:
        """Check if the transformation is the identity."""
        m = self.T.GetMatrix()
        M = [[m.GetElement(i, j) for j in range(4)] for i in range(4)]
        return bool(np.allclose(M, np.eye(4)))

    def invert(self) -> Self:
        """Invert the transformation. Acts in-place."""
        self.T.Inverse()
        self.inverse_flag = bool(self.T.GetInverseFlag())
        return self

    def compute_inverse(self) -> LinearTransform:
        """Compute the inverse."""
        t = self.clone()
        t.invert()
        return t

    def transpose(self) -> Self:
        """Transpose the transformation. Acts in-place."""
        M = vtki.vtkMatrix4x4()
        self.T.GetTranspose(M)
        self.T.SetMatrix(M)
        return self

    def copy(self) -> LinearTransform:
        """Return a copy of the transformation. Alias of `clone()`."""
        return self.clone()

    def clone(self) -> LinearTransform:
        """Clone transformation to make an exact copy."""
        return LinearTransform(self.T)

    def concatenate(self, T, pre_multiply=False) -> Self:
        """
        Post-multiply (by default) 2 transfomations.
        T can also be a 4x4 matrix or 3x3 matrix.

        Examples:
            ```python
            from vedo import LinearTransform

            A = LinearTransform()
            A.rotate_x(45)
            A.translate([7,8,9])
            A.translate([10,10,10])
            A.name = "My transformation A"
            print(A)

            B = A.compute_inverse()
            B.shift([1,2,3])
            B.name = "My transformation B (shifted inverse of A)"
            print(B)

            # A is applied first, then B
            # print("A.concatenate(B)", A.concatenate(B))

            # B is applied first, then A
            print(B*A)
            ```
        """
        if _is_sequence(T):
            S = vtki.vtkTransform()
            M = vtki.vtkMatrix4x4()
            n = len(T)
            for i in range(n):
                for j in range(n):
                    M.SetElement(i, j, T[i][j])
            S.SetMatrix(M)
            T = S

        if pre_multiply:
            self.T.PreMultiply()
        transform = T.T if hasattr(T, "T") else T
        self.T.Concatenate(transform)
        self.T.PostMultiply()
        return self

    def __mul__(self, A):
        """Pre-multiply 2 transfomations."""
        return self.concatenate(A, pre_multiply=True)

    def get_concatenated_transform(self, i) -> LinearTransform:
        """Get intermediate matrix by concatenation index."""
        return LinearTransform(self.T.GetConcatenatedTransform(i))

    @property
    def ntransforms(self) -> int:
        """Get the number of concatenated transforms."""
        return self.T.GetNumberOfConcatenatedTransforms()

    def translate(self, p) -> Self:
        """Translate, same as `shift`."""
        if len(p) == 2:
            p = [p[0], p[1], 0]
        self.T.Translate(p)
        return self

    def shift(self, p) -> Self:
        """Shift, same as `translate`."""
        return self.translate(p)

    def scale(self, s, origin=True) -> Self:
        """Scale."""
        if not _is_sequence(s):
            s = [s, s, s]

        if origin is True:
            p = np.array(self.T.GetPosition())
            if np.linalg.norm(p) > 0:
                self.T.Translate(-p)
                self.T.Scale(*s)
                self.T.Translate(p)
            else:
                self.T.Scale(*s)

        elif _is_sequence(origin):
            origin = np.asarray(origin)
            self.T.Translate(-origin)
            self.T.Scale(*s)
            self.T.Translate(origin)

        else:
            self.T.Scale(*s)
        return self

    def rotate(self, angle, axis=(1, 0, 0), point=(0, 0, 0), rad=False) -> Self:
        """
        Rotate around an arbitrary `axis` passing through `point`.

        Examples:
            ```python
            from vedo import *
            c1 = Cube()
            c2 = c1.clone().c('violet').alpha(0.5) # copy of c1
            v = vector(0.2, 1, 0)
            p = vector(1.0, 0, 0)  # axis passes through this point
            c2.rotate(90, axis=v, point=p)
            l = Line(p-v, p+v).c('red5').lw(3)
            show(c1, l, c2, axes=1).close()
            ```
            ![](https://vedo.embl.es/images/feats/rotate_axis.png)
        """
        if not angle:
            return self
        axis = np.asarray(axis, dtype=float)
        axis_norm = np.linalg.norm(axis)
        if axis_norm == 0:
            return self
        if rad:
            anglerad = angle
        else:
            anglerad = np.deg2rad(angle)

        axis = axis / axis_norm
        a = np.cos(anglerad / 2)
        b, c, d = -axis * np.sin(anglerad / 2)
        aa, bb, cc, dd = a * a, b * b, c * c, d * d
        bc, ad, ac, ab, bd, cd = b * c, a * d, a * c, a * b, b * d, c * d
        R = np.array(
            [
                [aa + bb - cc - dd, 2 * (bc + ad), 2 * (bd - ac)],
                [2 * (bc - ad), aa + cc - bb - dd, 2 * (cd + ab)],
                [2 * (bd + ac), 2 * (cd - ab), aa + dd - bb - cc],
            ]
        )
        rv = np.dot(R, self.T.GetPosition() - np.asarray(point)) + point

        if rad:
            angle *= 180.0 / np.pi
        # this vtk method only rotates in the origin of the object:
        self.T.RotateWXYZ(angle, axis[0], axis[1], axis[2])
        self.T.Translate(rv - np.array(self.T.GetPosition()))
        return self

    def _rotatexyz(self, axe, angle, rad, around):
        if not angle:
            return self
        if rad:
            angle *= 180 / np.pi

        rot = dict(x=self.T.RotateX, y=self.T.RotateY, z=self.T.RotateZ)

        if around is None:
            # rotate around its origin
            rot[axe](angle)
        else:
            # displacement needed to bring it back to the origin
            self.T.Translate(-np.asarray(around))
            rot[axe](angle)
            self.T.Translate(around)
        return self

    def rotate_x(self, angle: float, rad=False, around=None) -> Self:
        """
        Rotate around x-axis. If angle is in radians set `rad=True`.

        Use `around` to define a pivoting point.
        """
        return self._rotatexyz("x", angle, rad, around)

    def rotate_y(self, angle: float, rad=False, around=None) -> Self:
        """
        Rotate around y-axis. If angle is in radians set `rad=True`.

        Use `around` to define a pivoting point.
        """
        return self._rotatexyz("y", angle, rad, around)

    def rotate_z(self, angle: float, rad=False, around=None) -> Self:
        """
        Rotate around z-axis. If angle is in radians set `rad=True`.

        Use `around` to define a pivoting point.
        """
        return self._rotatexyz("z", angle, rad, around)

    def set_position(self, p) -> Self:
        """Set position."""
        if len(p) == 2:
            p = np.array([p[0], p[1], 0])
        q = np.array(self.T.GetPosition())
        self.T.Translate(p - q)
        return self

    # def set_scale(self, s):
    #     """Set absolute scale."""
    #     if not _is_sequence(s):
    #         s = [s, s, s]
    #     s0, s1, s2 = 1, 1, 1
    #     b = self.T.GetScale()
    #     print(b)
    #     if b[0]:
    #         s0 = s[0] / b[0]
    #     if b[1]:
    #         s1 = s[1] / b[1]
    #     if b[2]:
    #         s2 = s[2] / b[2]
    #     self.T.Scale(s0, s1, s2)
    #     print()
    #     return self

    def get_scale(self) -> np.ndarray:
        """Get current scale."""
        return np.array(self.T.GetScale())

    @property
    def orientation(self) -> np.ndarray:
        """Compute orientation."""
        return np.array(self.T.GetOrientation())

    @property
    def position(self) -> np.ndarray:
        """Compute position."""
        return np.array(self.T.GetPosition())

    @property
    def matrix(self) -> np.ndarray:
        """Get the 4x4 trasformation matrix."""
        m = self.T.GetMatrix()
        M = [[m.GetElement(i, j) for j in range(4)] for i in range(4)]
        return np.array(M)

    @matrix.setter
    def matrix(self, M) -> None:
        """Set trasformation by assigning a 4x4 or 3x3 numpy matrix."""
        n = len(M)
        m = vtki.vtkMatrix4x4()
        for i in range(n):
            for j in range(n):
                m.SetElement(i, j, M[i][j])
        self.T.SetMatrix(m)

    @property
    def matrix3x3(self) -> np.ndarray:
        """Get the 3x3 trasformation matrix."""
        m = self.T.GetMatrix()
        M = [[m.GetElement(i, j) for j in range(3)] for i in range(3)]
        return np.array(M)

    def write(self, filename="transform.mat") -> Self:
        """Save transformation to ASCII file."""
        import json

        m = self.T.GetMatrix()
        M = [[m.GetElement(i, j) for j in range(4)] for i in range(4)]
        arr = np.array(M)
        dictionary = {
            "name": self.name,
            "comment": self.comment,
            "matrix": arr.astype(float).tolist(),
            "ntransforms": self.ntransforms,
        }
        with open(filename, "w") as outfile:
            json.dump(dictionary, outfile, sort_keys=True, indent=2)
        return self

    def reorient(
        self, initaxis, newaxis, around=(0, 0, 0), rotation=0.0, rad=False, xyplane=True
    ) -> Self:
        """
        Set/Get object orientation.

        Args:
            rotation (float):
                rotate object around newaxis.
            concatenate (bool):
                concatenate the orientation operation with the previous existing transform (if any)
            rad (bool):
                set to True if angle is expressed in radians.
            xyplane (bool):
                make an extra rotation to keep the object aligned to the xy-plane
        """
        newaxis = np.asarray(newaxis) / np.linalg.norm(newaxis)
        initaxis = np.asarray(initaxis) / np.linalg.norm(initaxis)

        if not np.any(initaxis - newaxis):
            return self

        if not np.any(initaxis + newaxis):
            # antiparallel: pick any axis perpendicular to initaxis
            warn("In reorient() initaxis and newaxis are antiparallel", stacklevel=2)
            perp = np.array([1.0, 0.0, 0.0])
            if abs(np.dot(perp, initaxis)) > 0.9:
                perp = np.array([0.0, 1.0, 0.0])
            crossvec = np.cross(initaxis, perp)
            crossvec /= np.linalg.norm(crossvec)
            angleth = np.pi
        else:
            angleth = np.arccos(np.clip(np.dot(initaxis, newaxis), -1.0, 1.0))
            crossvec = np.cross(initaxis, newaxis)

        p = np.asarray(around)
        self.T.Translate(-p)
        if rotation:
            if rad:
                rotation = np.rad2deg(rotation)
            self.T.RotateWXYZ(rotation, initaxis)

        self.T.RotateWXYZ(np.rad2deg(angleth), crossvec)

        if xyplane:
            self.T.RotateWXYZ(-self.orientation[0] * np.sqrt(2), newaxis)

        self.T.Translate(p)
        return self

matrix property writable

Get the 4x4 trasformation matrix.

matrix3x3 property

Get the 3x3 trasformation matrix.

ntransforms property

Get the number of concatenated transforms.

orientation property

Compute orientation.

position property

Compute position.

clone()

Clone transformation to make an exact copy.

Source code in vedo/core/transformations.py
325
326
327
def clone(self) -> LinearTransform:
    """Clone transformation to make an exact copy."""
    return LinearTransform(self.T)

compute_inverse()

Compute the inverse.

Source code in vedo/core/transformations.py
308
309
310
311
312
def compute_inverse(self) -> LinearTransform:
    """Compute the inverse."""
    t = self.clone()
    t.invert()
    return t

compute_main_axes()

Compute main axes of the transformation matrix. These are the axes of the ellipsoid that is the image of the unit sphere under the transformation.

Examples:

from vedo import *
settings.use_parallel_projection = True

M = np.random.rand(3,3)-0.5
print(M)
print(" M@[1,0,0] =", M@[1,1,0])

######################
A = LinearTransform(M)
print(A)
pt = Point([1,1,0])
print(A(pt).coordinates[0], "is the same as", A([1,1,0]))

maxes = A.compute_main_axes()

arr1 = Arrow([0,0,0], maxes[0]).c('r')
arr2 = Arrow([0,0,0], maxes[1]).c('g')
arr3 = Arrow([0,0,0], maxes[2]).c('b')

sphere1 = Sphere().wireframe().lighting('off')
sphere1.cmap('hot', sphere1.coordinates[:,2])

sphere2 = sphere1.clone().apply_transform(A)

show([sphere1, [sphere2, arr1, arr2, arr3]], N=2, axes=1, bg='bb')

Source code in vedo/core/transformations.py
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
def compute_main_axes(self) -> np.ndarray:
    """
    Compute main axes of the transformation matrix.
    These are the axes of the ellipsoid that is the
    image of the unit sphere under the transformation.

    Examples:
    ```python
    from vedo import *
    settings.use_parallel_projection = True

    M = np.random.rand(3,3)-0.5
    print(M)
    print(" M@[1,0,0] =", M@[1,1,0])

    ######################
    A = LinearTransform(M)
    print(A)
    pt = Point([1,1,0])
    print(A(pt).coordinates[0], "is the same as", A([1,1,0]))

    maxes = A.compute_main_axes()

    arr1 = Arrow([0,0,0], maxes[0]).c('r')
    arr2 = Arrow([0,0,0], maxes[1]).c('g')
    arr3 = Arrow([0,0,0], maxes[2]).c('b')

    sphere1 = Sphere().wireframe().lighting('off')
    sphere1.cmap('hot', sphere1.coordinates[:,2])

    sphere2 = sphere1.clone().apply_transform(A)

    show([sphere1, [sphere2, arr1, arr2, arr3]], N=2, axes=1, bg='bb')
    ```
    """
    m = self.matrix3x3
    eigval, eigvec = np.linalg.eig(m @ m.T)
    eigval = np.sqrt(eigval)
    return np.array(
        [
            eigvec[:, 0] * eigval[0],
            eigvec[:, 1] * eigval[1],
            eigvec[:, 2] * eigval[2],
        ]
    )

concatenate(T, pre_multiply=False)

Post-multiply (by default) 2 transfomations. T can also be a 4x4 matrix or 3x3 matrix.

Examples:

from vedo import LinearTransform

A = LinearTransform()
A.rotate_x(45)
A.translate([7,8,9])
A.translate([10,10,10])
A.name = "My transformation A"
print(A)

B = A.compute_inverse()
B.shift([1,2,3])
B.name = "My transformation B (shifted inverse of A)"
print(B)

# A is applied first, then B
# print("A.concatenate(B)", A.concatenate(B))

# B is applied first, then A
print(B*A)
Source code in vedo/core/transformations.py
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
def concatenate(self, T, pre_multiply=False) -> Self:
    """
    Post-multiply (by default) 2 transfomations.
    T can also be a 4x4 matrix or 3x3 matrix.

    Examples:
        ```python
        from vedo import LinearTransform

        A = LinearTransform()
        A.rotate_x(45)
        A.translate([7,8,9])
        A.translate([10,10,10])
        A.name = "My transformation A"
        print(A)

        B = A.compute_inverse()
        B.shift([1,2,3])
        B.name = "My transformation B (shifted inverse of A)"
        print(B)

        # A is applied first, then B
        # print("A.concatenate(B)", A.concatenate(B))

        # B is applied first, then A
        print(B*A)
        ```
    """
    if _is_sequence(T):
        S = vtki.vtkTransform()
        M = vtki.vtkMatrix4x4()
        n = len(T)
        for i in range(n):
            for j in range(n):
                M.SetElement(i, j, T[i][j])
        S.SetMatrix(M)
        T = S

    if pre_multiply:
        self.T.PreMultiply()
    transform = T.T if hasattr(T, "T") else T
    self.T.Concatenate(transform)
    self.T.PostMultiply()
    return self

copy()

Return a copy of the transformation. Alias of clone().

Source code in vedo/core/transformations.py
321
322
323
def copy(self) -> LinearTransform:
    """Return a copy of the transformation. Alias of `clone()`."""
    return self.clone()

get_concatenated_transform(i)

Get intermediate matrix by concatenation index.

Source code in vedo/core/transformations.py
378
379
380
def get_concatenated_transform(self, i) -> LinearTransform:
    """Get intermediate matrix by concatenation index."""
    return LinearTransform(self.T.GetConcatenatedTransform(i))

get_scale()

Get current scale.

Source code in vedo/core/transformations.py
538
539
540
def get_scale(self) -> np.ndarray:
    """Get current scale."""
    return np.array(self.T.GetScale())

invert()

Invert the transformation. Acts in-place.

Source code in vedo/core/transformations.py
302
303
304
305
306
def invert(self) -> Self:
    """Invert the transformation. Acts in-place."""
    self.T.Inverse()
    self.inverse_flag = bool(self.T.GetInverseFlag())
    return self

is_identity()

Check if the transformation is the identity.

Source code in vedo/core/transformations.py
296
297
298
299
300
def is_identity(self) -> bool:
    """Check if the transformation is the identity."""
    m = self.T.GetMatrix()
    M = [[m.GetElement(i, j) for j in range(4)] for i in range(4)]
    return bool(np.allclose(M, np.eye(4)))

move(obj)

Apply transformation to object or single point.

Note

When applying a transformation to a mesh, the mesh is modified in place. If you want to keep the original mesh unchanged, use clone() method.

Examples:

from vedo import *
settings.use_parallel_projection = True

LT = LinearTransform()
LT.translate([3,0,1]).rotate_z(45)
print(LT)

s = Sphere(r=0.2)
LT.move(s)
# same as:
# s.apply_transform(LT)

zero = Point([0,0,0])
show(s, zero, axes=1).close()
Source code in vedo/core/transformations.py
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
def move(self, obj):
    """
    Apply transformation to object or single point.

    Note:
        When applying a transformation to a mesh, the mesh is modified in place.
        If you want to keep the original mesh unchanged, use `clone()` method.

    Examples:
        ```python
        from vedo import *
        settings.use_parallel_projection = True

        LT = LinearTransform()
        LT.translate([3,0,1]).rotate_z(45)
        print(LT)

        s = Sphere(r=0.2)
        LT.move(s)
        # same as:
        # s.apply_transform(LT)

        zero = Point([0,0,0])
        show(s, zero, axes=1).close()
        ```
    """
    if _is_sequence(obj):
        n = len(obj)
        if n == 2:
            obj = [obj[0], obj[1], 0]
        return np.array(self.T.TransformFloatPoint(obj))

    obj.apply_transform(self)
    return obj

pop()

Delete the transformation on the top of the stack and sets the top to the next transformation on the stack.

Source code in vedo/core/transformations.py
290
291
292
293
294
def pop(self) -> Self:
    """Delete the transformation on the top of the stack
    and sets the top to the next transformation on the stack."""
    self.T.Pop()
    return self

print()

Print transformation.

Source code in vedo/core/transformations.py
184
185
186
187
def print(self) -> LinearTransform:
    """Print transformation."""
    print(self)
    return self

reorient(initaxis, newaxis, around=(0, 0, 0), rotation=0.0, rad=False, xyplane=True)

Set/Get object orientation.

Parameters:

Name Type Description Default
rotation float

rotate object around newaxis.

0.0
concatenate bool

concatenate the orientation operation with the previous existing transform (if any)

required
rad bool

set to True if angle is expressed in radians.

False
xyplane bool

make an extra rotation to keep the object aligned to the xy-plane

True
Source code in vedo/core/transformations.py
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
def reorient(
    self, initaxis, newaxis, around=(0, 0, 0), rotation=0.0, rad=False, xyplane=True
) -> Self:
    """
    Set/Get object orientation.

    Args:
        rotation (float):
            rotate object around newaxis.
        concatenate (bool):
            concatenate the orientation operation with the previous existing transform (if any)
        rad (bool):
            set to True if angle is expressed in radians.
        xyplane (bool):
            make an extra rotation to keep the object aligned to the xy-plane
    """
    newaxis = np.asarray(newaxis) / np.linalg.norm(newaxis)
    initaxis = np.asarray(initaxis) / np.linalg.norm(initaxis)

    if not np.any(initaxis - newaxis):
        return self

    if not np.any(initaxis + newaxis):
        # antiparallel: pick any axis perpendicular to initaxis
        warn("In reorient() initaxis and newaxis are antiparallel", stacklevel=2)
        perp = np.array([1.0, 0.0, 0.0])
        if abs(np.dot(perp, initaxis)) > 0.9:
            perp = np.array([0.0, 1.0, 0.0])
        crossvec = np.cross(initaxis, perp)
        crossvec /= np.linalg.norm(crossvec)
        angleth = np.pi
    else:
        angleth = np.arccos(np.clip(np.dot(initaxis, newaxis), -1.0, 1.0))
        crossvec = np.cross(initaxis, newaxis)

    p = np.asarray(around)
    self.T.Translate(-p)
    if rotation:
        if rad:
            rotation = np.rad2deg(rotation)
        self.T.RotateWXYZ(rotation, initaxis)

    self.T.RotateWXYZ(np.rad2deg(angleth), crossvec)

    if xyplane:
        self.T.RotateWXYZ(-self.orientation[0] * np.sqrt(2), newaxis)

    self.T.Translate(p)
    return self

reset()

Reset transformation.

Source code in vedo/core/transformations.py
239
240
241
242
def reset(self) -> Self:
    """Reset transformation."""
    self.T.Identity()
    return self

rotate(angle, axis=(1, 0, 0), point=(0, 0, 0), rad=False)

Rotate around an arbitrary axis passing through point.

Examples:

from vedo import *
c1 = Cube()
c2 = c1.clone().c('violet').alpha(0.5) # copy of c1
v = vector(0.2, 1, 0)
p = vector(1.0, 0, 0)  # axis passes through this point
c2.rotate(90, axis=v, point=p)
l = Line(p-v, p+v).c('red5').lw(3)
show(c1, l, c2, axes=1).close()

Source code in vedo/core/transformations.py
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
def rotate(self, angle, axis=(1, 0, 0), point=(0, 0, 0), rad=False) -> Self:
    """
    Rotate around an arbitrary `axis` passing through `point`.

    Examples:
        ```python
        from vedo import *
        c1 = Cube()
        c2 = c1.clone().c('violet').alpha(0.5) # copy of c1
        v = vector(0.2, 1, 0)
        p = vector(1.0, 0, 0)  # axis passes through this point
        c2.rotate(90, axis=v, point=p)
        l = Line(p-v, p+v).c('red5').lw(3)
        show(c1, l, c2, axes=1).close()
        ```
        ![](https://vedo.embl.es/images/feats/rotate_axis.png)
    """
    if not angle:
        return self
    axis = np.asarray(axis, dtype=float)
    axis_norm = np.linalg.norm(axis)
    if axis_norm == 0:
        return self
    if rad:
        anglerad = angle
    else:
        anglerad = np.deg2rad(angle)

    axis = axis / axis_norm
    a = np.cos(anglerad / 2)
    b, c, d = -axis * np.sin(anglerad / 2)
    aa, bb, cc, dd = a * a, b * b, c * c, d * d
    bc, ad, ac, ab, bd, cd = b * c, a * d, a * c, a * b, b * d, c * d
    R = np.array(
        [
            [aa + bb - cc - dd, 2 * (bc + ad), 2 * (bd - ac)],
            [2 * (bc - ad), aa + cc - bb - dd, 2 * (cd + ab)],
            [2 * (bd + ac), 2 * (cd - ab), aa + dd - bb - cc],
        ]
    )
    rv = np.dot(R, self.T.GetPosition() - np.asarray(point)) + point

    if rad:
        angle *= 180.0 / np.pi
    # this vtk method only rotates in the origin of the object:
    self.T.RotateWXYZ(angle, axis[0], axis[1], axis[2])
    self.T.Translate(rv - np.array(self.T.GetPosition()))
    return self

rotate_x(angle, rad=False, around=None)

Rotate around x-axis. If angle is in radians set rad=True.

Use around to define a pivoting point.

Source code in vedo/core/transformations.py
489
490
491
492
493
494
495
def rotate_x(self, angle: float, rad=False, around=None) -> Self:
    """
    Rotate around x-axis. If angle is in radians set `rad=True`.

    Use `around` to define a pivoting point.
    """
    return self._rotatexyz("x", angle, rad, around)

rotate_y(angle, rad=False, around=None)

Rotate around y-axis. If angle is in radians set rad=True.

Use around to define a pivoting point.

Source code in vedo/core/transformations.py
497
498
499
500
501
502
503
def rotate_y(self, angle: float, rad=False, around=None) -> Self:
    """
    Rotate around y-axis. If angle is in radians set `rad=True`.

    Use `around` to define a pivoting point.
    """
    return self._rotatexyz("y", angle, rad, around)

rotate_z(angle, rad=False, around=None)

Rotate around z-axis. If angle is in radians set rad=True.

Use around to define a pivoting point.

Source code in vedo/core/transformations.py
505
506
507
508
509
510
511
def rotate_z(self, angle: float, rad=False, around=None) -> Self:
    """
    Rotate around z-axis. If angle is in radians set `rad=True`.

    Use `around` to define a pivoting point.
    """
    return self._rotatexyz("z", angle, rad, around)

scale(s, origin=True)

Scale.

Source code in vedo/core/transformations.py
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
def scale(self, s, origin=True) -> Self:
    """Scale."""
    if not _is_sequence(s):
        s = [s, s, s]

    if origin is True:
        p = np.array(self.T.GetPosition())
        if np.linalg.norm(p) > 0:
            self.T.Translate(-p)
            self.T.Scale(*s)
            self.T.Translate(p)
        else:
            self.T.Scale(*s)

    elif _is_sequence(origin):
        origin = np.asarray(origin)
        self.T.Translate(-origin)
        self.T.Scale(*s)
        self.T.Translate(origin)

    else:
        self.T.Scale(*s)
    return self

set_position(p)

Set position.

Source code in vedo/core/transformations.py
513
514
515
516
517
518
519
def set_position(self, p) -> Self:
    """Set position."""
    if len(p) == 2:
        p = np.array([p[0], p[1], 0])
    q = np.array(self.T.GetPosition())
    self.T.Translate(p - q)
    return self

shift(p)

Shift, same as translate.

Source code in vedo/core/transformations.py
394
395
396
def shift(self, p) -> Self:
    """Shift, same as `translate`."""
    return self.translate(p)

transform_point(p)

Apply transformation to a single point.

Source code in vedo/core/transformations.py
196
197
198
199
200
201
202
def transform_point(self, p) -> np.ndarray:
    """
    Apply transformation to a single point.
    """
    if len(p) == 2:
        p = [p[0], p[1], 0]
    return np.array(self.T.TransformFloatPoint(p))

translate(p)

Translate, same as shift.

Source code in vedo/core/transformations.py
387
388
389
390
391
392
def translate(self, p) -> Self:
    """Translate, same as `shift`."""
    if len(p) == 2:
        p = [p[0], p[1], 0]
    self.T.Translate(p)
    return self

transpose()

Transpose the transformation. Acts in-place.

Source code in vedo/core/transformations.py
314
315
316
317
318
319
def transpose(self) -> Self:
    """Transpose the transformation. Acts in-place."""
    M = vtki.vtkMatrix4x4()
    self.T.GetTranspose(M)
    self.T.SetMatrix(M)
    return self

write(filename='transform.mat')

Save transformation to ASCII file.

Source code in vedo/core/transformations.py
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
def write(self, filename="transform.mat") -> Self:
    """Save transformation to ASCII file."""
    import json

    m = self.T.GetMatrix()
    M = [[m.GetElement(i, j) for j in range(4)] for i in range(4)]
    arr = np.array(M)
    dictionary = {
        "name": self.name,
        "comment": self.comment,
        "matrix": arr.astype(float).tolist(),
        "ntransforms": self.ntransforms,
    }
    with open(filename, "w") as outfile:
        json.dump(dictionary, outfile, sort_keys=True, indent=2)
    return self

NonLinearTransform

Work with non-linear transformations.

Source code in vedo/core/transformations.py
 948
 949
 950
 951
 952
 953
 954
 955
 956
 957
 958
 959
 960
 961
 962
 963
 964
 965
 966
 967
 968
 969
 970
 971
 972
 973
 974
 975
 976
 977
 978
 979
 980
 981
 982
 983
 984
 985
 986
 987
 988
 989
 990
 991
 992
 993
 994
 995
 996
 997
 998
 999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
class NonLinearTransform:
    """Work with non-linear transformations."""

    def __init__(self, T=None, **kwargs) -> None:
        """
        Define a non-linear transformation.
        Can be saved to file and reloaded.

        Args:
            T (vtkThinPlateSplineTransform, str, dict):
                vtk transformation.
                If T is a string, it is assumed to be a filename.
                If T is a dictionary, it is assumed to be a set of keyword arguments.
                Defaults to None.
            **kwargs (dict):
                keyword arguments to define the transformation.
                The following keywords are accepted:
                - name : (str) name of the transformation
                - comment : (str) comment
                - source_points : (list) source points
                - target_points : (list) target points
                - mode : (str) either '2d' or '3d'
                - sigma : (float) sigma parameter

        Examples:
            ```python
            from vedo import *
            settings.use_parallel_projection = True

            NLT = NonLinearTransform()
            NLT.source_points = [[-2,0,0], [1,2,1], [2,-2,2]]
            NLT.target_points = NLT.source_points + np.random.randn(3,3)*0.5
            NLT.mode = '3d'
            print(NLT)

            s1 = Sphere()
            NLT.move(s1)
            # same as:
            # s1.apply_transform(NLT)

            arrs = Arrows(NLT.source_points, NLT.target_points)
            show(s1, arrs, Sphere().alpha(0.1), axes=1).close()
            ```
        """

        self.name = "NonLinearTransform"
        self.filename = ""
        self.comment = ""

        if T is None and len(kwargs) == 0:
            T = vtki.vtkThinPlateSplineTransform()

        elif isinstance(T, vtki.vtkThinPlateSplineTransform):
            S = vtki.vtkThinPlateSplineTransform()
            S.DeepCopy(T)
            T = S

        elif isinstance(T, NonLinearTransform):
            S = vtki.vtkThinPlateSplineTransform()
            S.DeepCopy(T.T)
            T = S

        elif isinstance(T, str):
            import json

            filename = str(T)
            self.filename = filename
            with open(filename, "r") as read_file:
                D = json.load(read_file)
            self.name = D["name"]
            self.comment = D["comment"]
            source = D["source_points"]
            target = D["target_points"]
            mode = D["mode"]
            sigma = D["sigma"]

            T = vtki.vtkThinPlateSplineTransform()
            vptss = vtki.vtkPoints()
            for p in source:
                if len(p) == 2:
                    p = [p[0], p[1], 0.0]
                vptss.InsertNextPoint(p)
            T.SetSourceLandmarks(vptss)
            vptst = vtki.vtkPoints()
            for p in target:
                if len(p) == 2:
                    p = [p[0], p[1], 0.0]
                vptst.InsertNextPoint(p)
            T.SetTargetLandmarks(vptst)
            T.SetSigma(sigma)
            if mode == "2d":
                T.SetBasisToR2LogR()
            elif mode == "3d":
                T.SetBasisToR()
            else:
                warn(f'In {filename} mode can be either "2d" or "3d"', stacklevel=2)

        elif len(kwargs) > 0:
            T = kwargs.copy()
            self.name = T.pop("name", "NonLinearTransform")
            self.comment = T.pop("comment", "")
            source = T.pop("source_points", [])
            target = T.pop("target_points", [])
            mode = T.pop("mode", "3d")
            sigma = T.pop("sigma", 1.0)
            if len(T) > 0:
                warn(
                    f"NonLinearTransform got unexpected keyword arguments: {sorted(T.keys())}",
                    stacklevel=2,
                )

            T = vtki.vtkThinPlateSplineTransform()
            vptss = vtki.vtkPoints()
            for p in source:
                if len(p) == 2:
                    p = [p[0], p[1], 0.0]
                vptss.InsertNextPoint(p)
            T.SetSourceLandmarks(vptss)
            vptst = vtki.vtkPoints()
            for p in target:
                if len(p) == 2:
                    p = [p[0], p[1], 0.0]
                vptst.InsertNextPoint(p)
            T.SetTargetLandmarks(vptst)
            T.SetSigma(sigma)
            if mode == "2d":
                T.SetBasisToR2LogR()
            elif mode == "3d":
                T.SetBasisToR()
            else:
                warn('Mode can be either "2d" or "3d"', stacklevel=2)

        self.T = T
        self.inverse_flag = False

    def _summary_rows(self):
        p = self.source_points
        q = self.target_points
        rows = [("name", self.name)]
        if self.filename:
            rows.append(("filename", self.filename))
        if self.comment:
            rows.append(("comment", self.comment))
        rows.append(("mode", self.mode))
        rows.append(("sigma", str(self.sigma)))
        if len(p):
            rows.append(
                (
                    "sources",
                    f"{len(p)}, bounds {np.min(p, axis=0)}, {np.max(p, axis=0)}",
                )
            )
        else:
            rows.append(("sources", "0"))
        if len(q):
            rows.append(
                (
                    "targets",
                    f"{len(q)}, bounds {np.min(q, axis=0)}, {np.max(q, axis=0)}",
                )
            )
        else:
            rows.append(("targets", "0"))
        return rows

    def __str__(self):
        return summary_string(self, self._summary_rows())

    def __repr__(self):
        return self.__str__()

    def __rich__(self):
        return summary_panel(self, self._summary_rows())

    def print(self) -> Self:
        """Print transformation."""
        print(self)
        return self

    def update(self) -> Self:
        """Update transformation."""
        self.T.Update()
        return self

    @property
    def position(self) -> np.ndarray:
        """
        Trying to get the position of a `NonLinearTransform` always returns [0,0,0].
        """
        return np.array([0.0, 0.0, 0.0], dtype=np.float32)

    # @position.setter
    # def position(self, p):
    #     """
    #     Trying to set position of a `NonLinearTransform`
    #     has no effect and prints a warning.

    #     Use clone() method to create a copy of the object,
    #     or reset it with 'object.transform = vedo.LinearTransform()'
    #     """
    #     print("Warning: NonLinearTransform has no position.")
    #     print("  Use clone() method to create a copy of the object,")
    #     print("  or reset it with 'object.transform = vedo.LinearTransform()'")

    @property
    def source_points(self) -> np.ndarray:
        """Get the source points."""
        pts = self.T.GetSourceLandmarks()
        vpts = []
        if pts:
            for i in range(pts.GetNumberOfPoints()):
                vpts.append(pts.GetPoint(i))
        if not vpts:
            return np.empty((0, 3), dtype=np.float32)
        return np.array(vpts, dtype=np.float32)

    @source_points.setter
    def source_points(self, pts):
        """Set source points."""
        if not _is_sequence(pts):
            pts = pts.coordinates
        vpts = vtki.vtkPoints()
        for p in pts:
            if len(p) == 2:
                p = [p[0], p[1], 0.0]
            vpts.InsertNextPoint(p)
        self.T.SetSourceLandmarks(vpts)

    @property
    def target_points(self) -> np.ndarray:
        """Get the target points."""
        pts = self.T.GetTargetLandmarks()
        vpts = []
        if pts:
            for i in range(pts.GetNumberOfPoints()):
                vpts.append(pts.GetPoint(i))
        if not vpts:
            return np.empty((0, 3), dtype=np.float32)
        return np.array(vpts, dtype=np.float32)

    @target_points.setter
    def target_points(self, pts):
        """Set target points."""
        if not _is_sequence(pts):
            pts = pts.coordinates
        vpts = vtki.vtkPoints()
        for p in pts:
            if len(p) == 2:
                p = [p[0], p[1], 0.0]
            vpts.InsertNextPoint(p)
        self.T.SetTargetLandmarks(vpts)

    @property
    def sigma(self) -> float:
        """Get sigma."""
        return self.T.GetSigma()

    @sigma.setter
    def sigma(self, s):
        """Set sigma."""
        self.T.SetSigma(s)

    @property
    def mode(self) -> str:
        """Get mode."""
        m = self.T.GetBasis()
        # print("T.GetBasis()", m, self.T.GetBasisAsString())
        if m == 2:
            return "2d"
        elif m == 1:
            return "3d"
        else:
            warn("NonLinearTransform has no valid mode.", stacklevel=2)
            return ""

    @mode.setter
    def mode(self, m):
        """Set mode."""
        if m == "3d":
            self.T.SetBasisToR()
        elif m == "2d":
            self.T.SetBasisToR2LogR()
        else:
            warn('In NonLinearTransform mode can be either "2d" or "3d"', stacklevel=2)

    def clone(self) -> NonLinearTransform:
        """Clone transformation to make an exact copy."""
        return NonLinearTransform(self.T)

    def write(self, filename) -> Self:
        """Save transformation to ASCII file."""
        import json

        dictionary = {
            "name": self.name,
            "comment": self.comment,
            "mode": self.mode,
            "sigma": self.sigma,
            "source_points": self.source_points.astype(float).tolist(),
            "target_points": self.target_points.astype(float).tolist(),
        }
        with open(filename, "w") as outfile:
            json.dump(dictionary, outfile, sort_keys=True, indent=2)
        return self

    def invert(self) -> Self:
        """Invert transformation."""
        self.T.Inverse()
        self.inverse_flag = bool(self.T.GetInverseFlag())
        return self

    def compute_inverse(self) -> Self:
        """Compute inverse."""
        t = self.clone()
        t.invert()
        return t

    def __call__(self, obj):
        """
        Apply transformation to object or single point.
        Same as `move()` except that a copy is returned.
        """
        # use copy here not clone in case user passes a numpy array
        return self.move(obj.copy())

    def compute_main_axes(self, pt=(0, 0, 0), ds=1) -> np.ndarray:
        """
        Compute main axes of the transformation.
        These are the axes of the ellipsoid that is the
        image of the unit sphere under the transformation.

        Args:
            pt (list):
                point to compute the axes at.
            ds (float):
                step size to compute the axes.
        """
        if len(pt) == 2:
            pt = [pt[0], pt[1], 0]
        pt = np.asarray(pt)
        p0 = self.transform_point(pt)
        m = np.array(
            [
                self.transform_point(pt + [ds, 0, 0]) - p0,
                self.transform_point(pt + [0, ds, 0]) - p0,
                self.transform_point(pt + [0, 0, ds]) - p0,
            ]
        )
        eigval, eigvec = np.linalg.eig(m @ m.T)
        eigval = np.sqrt(np.abs(eigval))
        return np.array(
            [
                eigvec[:, 0] * eigval[0],
                eigvec[:, 1] * eigval[1],
                eigvec[:, 2] * eigval[2],
            ]
        )

    def transform_point(self, p) -> np.ndarray:
        """
        Apply transformation to a single point.
        """
        if len(p) == 2:
            p = [p[0], p[1], 0]
        return np.array(self.T.TransformFloatPoint(p))

    def move(self, obj):
        """
        Apply transformation to the argument object.

        Note:
            When applying a transformation to a mesh, the mesh is modified in place.
            If you want to keep the original mesh unchanged, use the `clone()` method.

        Examples:
            ```python
            from vedo import *
            np.random.seed(0)
            settings.use_parallel_projection = True

            NLT = NonLinearTransform()
            NLT.source_points = [[-2,0,0], [1,2,1], [2,-2,2]]
            NLT.target_points = NLT.source_points + np.random.randn(3,3)*0.5
            NLT.mode = '3d'
            print(NLT)

            s1 = Sphere()
            NLT.move(s1)
            # same as:
            # s1.apply_transform(NLT)

            arrs = Arrows(NLT.source_points, NLT.target_points)
            show(s1, arrs, Sphere().alpha(0.1), axes=1).close()
            ```
        """
        if _is_sequence(obj):
            return self.transform_point(obj)
        obj.apply_transform(self)
        return obj

mode property writable

Get mode.

position property

Trying to get the position of a NonLinearTransform always returns [0,0,0].

sigma property writable

Get sigma.

source_points property writable

Get the source points.

target_points property writable

Get the target points.

clone()

Clone transformation to make an exact copy.

Source code in vedo/core/transformations.py
1233
1234
1235
def clone(self) -> NonLinearTransform:
    """Clone transformation to make an exact copy."""
    return NonLinearTransform(self.T)

compute_inverse()

Compute inverse.

Source code in vedo/core/transformations.py
1259
1260
1261
1262
1263
def compute_inverse(self) -> Self:
    """Compute inverse."""
    t = self.clone()
    t.invert()
    return t

compute_main_axes(pt=(0, 0, 0), ds=1)

Compute main axes of the transformation. These are the axes of the ellipsoid that is the image of the unit sphere under the transformation.

Parameters:

Name Type Description Default
pt list

point to compute the axes at.

(0, 0, 0)
ds float

step size to compute the axes.

1
Source code in vedo/core/transformations.py
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
def compute_main_axes(self, pt=(0, 0, 0), ds=1) -> np.ndarray:
    """
    Compute main axes of the transformation.
    These are the axes of the ellipsoid that is the
    image of the unit sphere under the transformation.

    Args:
        pt (list):
            point to compute the axes at.
        ds (float):
            step size to compute the axes.
    """
    if len(pt) == 2:
        pt = [pt[0], pt[1], 0]
    pt = np.asarray(pt)
    p0 = self.transform_point(pt)
    m = np.array(
        [
            self.transform_point(pt + [ds, 0, 0]) - p0,
            self.transform_point(pt + [0, ds, 0]) - p0,
            self.transform_point(pt + [0, 0, ds]) - p0,
        ]
    )
    eigval, eigvec = np.linalg.eig(m @ m.T)
    eigval = np.sqrt(np.abs(eigval))
    return np.array(
        [
            eigvec[:, 0] * eigval[0],
            eigvec[:, 1] * eigval[1],
            eigvec[:, 2] * eigval[2],
        ]
    )

invert()

Invert transformation.

Source code in vedo/core/transformations.py
1253
1254
1255
1256
1257
def invert(self) -> Self:
    """Invert transformation."""
    self.T.Inverse()
    self.inverse_flag = bool(self.T.GetInverseFlag())
    return self

move(obj)

Apply transformation to the argument object.

Note

When applying a transformation to a mesh, the mesh is modified in place. If you want to keep the original mesh unchanged, use the clone() method.

Examples:

from vedo import *
np.random.seed(0)
settings.use_parallel_projection = True

NLT = NonLinearTransform()
NLT.source_points = [[-2,0,0], [1,2,1], [2,-2,2]]
NLT.target_points = NLT.source_points + np.random.randn(3,3)*0.5
NLT.mode = '3d'
print(NLT)

s1 = Sphere()
NLT.move(s1)
# same as:
# s1.apply_transform(NLT)

arrs = Arrows(NLT.source_points, NLT.target_points)
show(s1, arrs, Sphere().alpha(0.1), axes=1).close()
Source code in vedo/core/transformations.py
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
def move(self, obj):
    """
    Apply transformation to the argument object.

    Note:
        When applying a transformation to a mesh, the mesh is modified in place.
        If you want to keep the original mesh unchanged, use the `clone()` method.

    Examples:
        ```python
        from vedo import *
        np.random.seed(0)
        settings.use_parallel_projection = True

        NLT = NonLinearTransform()
        NLT.source_points = [[-2,0,0], [1,2,1], [2,-2,2]]
        NLT.target_points = NLT.source_points + np.random.randn(3,3)*0.5
        NLT.mode = '3d'
        print(NLT)

        s1 = Sphere()
        NLT.move(s1)
        # same as:
        # s1.apply_transform(NLT)

        arrs = Arrows(NLT.source_points, NLT.target_points)
        show(s1, arrs, Sphere().alpha(0.1), axes=1).close()
        ```
    """
    if _is_sequence(obj):
        return self.transform_point(obj)
    obj.apply_transform(self)
    return obj

print()

Print transformation.

Source code in vedo/core/transformations.py
1122
1123
1124
1125
def print(self) -> Self:
    """Print transformation."""
    print(self)
    return self

transform_point(p)

Apply transformation to a single point.

Source code in vedo/core/transformations.py
1306
1307
1308
1309
1310
1311
1312
def transform_point(self, p) -> np.ndarray:
    """
    Apply transformation to a single point.
    """
    if len(p) == 2:
        p = [p[0], p[1], 0]
    return np.array(self.T.TransformFloatPoint(p))

update()

Update transformation.

Source code in vedo/core/transformations.py
1127
1128
1129
1130
def update(self) -> Self:
    """Update transformation."""
    self.T.Update()
    return self

write(filename)

Save transformation to ASCII file.

Source code in vedo/core/transformations.py
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
def write(self, filename) -> Self:
    """Save transformation to ASCII file."""
    import json

    dictionary = {
        "name": self.name,
        "comment": self.comment,
        "mode": self.mode,
        "sigma": self.sigma,
        "source_points": self.source_points.astype(float).tolist(),
        "target_points": self.target_points.astype(float).tolist(),
    }
    with open(filename, "w") as outfile:
        json.dump(dictionary, outfile, sort_keys=True, indent=2)
    return self

Quaternion

Work with quaternion rotations.

Source code in vedo/core/transformations.py
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
class Quaternion:
    """Work with quaternion rotations."""

    def __init__(self, q=None, *, axis=None, angle=0.0, rad=False, xyzw=False) -> None:
        """
        Define a quaternion rotation.

        Args:
            q (Quaternion, vtkQuaternion, vtkLinearTransform, vtkMatrix4x4, sequence):
                input quaternion in ``(w, x, y, z)`` order by default, or a 3x3 rotation matrix.
            axis (list):
                optional rotation axis to build the quaternion from axis-angle form.
            angle (float):
                rotation angle associated to ``axis``.
            rad (bool):
                set to ``True`` if ``angle`` is expressed in radians.
            xyzw (bool):
                interpret a 4-sequence input as ``(x, y, z, w)``.
        """
        self.name = "Quaternion"
        self.T = vtki.vtkQuaterniond()
        self.T.ToIdentity()

        if axis is not None:
            if q is not None:
                raise ValueError(
                    "Quaternion() accepts either q=... or axis/angle, not both"
                )
            self.set_axis_angle(angle, axis, rad=rad)
            return

        if q is None:
            return

        if isinstance(q, Quaternion):
            self.T = vtki.vtkQuaterniond(q.T)
            return

        if _is_vtk_quaternion(q):
            self.T = vtki.vtkQuaterniond(q.GetW(), q.GetX(), q.GetY(), q.GetZ())
            return

        if isinstance(q, LinearTransform):
            self.matrix3x3 = q.matrix3x3
            return

        if isinstance(q, vtki.vtkMatrix4x4):
            self.matrix3x3 = np.array(
                [[q.GetElement(i, j) for j in range(3)] for i in range(3)],
                dtype=float,
            )
            return

        if isinstance(q, vtki.vtkLinearTransform):
            self.matrix3x3 = np.array(
                [[q.GetMatrix().GetElement(i, j) for j in range(3)] for i in range(3)],
                dtype=float,
            )
            return

        if _is_sequence(q):
            arr = np.asarray(q, dtype=float)
            if arr.shape == (4,):
                self.set(arr, xyzw=xyzw)
                return
            if arr.shape == (3, 3):
                self.matrix3x3 = arr
                return
            raise ValueError("Quaternion() expects a 4-sequence or a 3x3 matrix")

        raise TypeError(f"Cannot build Quaternion from {type(q).__name__}")

    def _summary_rows(self):
        angle, axis = self.angle_axis()
        return [
            ("q (wxyz)", np.array2string(self.wxyz, precision=6, separator=", ")),
            ("q (xyzw)", np.array2string(self.xyzw, precision=6, separator=", ")),
            ("angle", f"{angle:.6f} deg"),
            ("axis", np.array2string(axis, precision=6, separator=", ")),
        ]

    def __str__(self):
        return summary_string(self, self._summary_rows())

    def __repr__(self):
        return self.__str__()

    def __rich__(self):
        return summary_panel(self, self._summary_rows())

    def print(self) -> Quaternion:
        """Print quaternion details."""
        print(self)
        return self

    def __call__(self, p) -> np.ndarray:
        """Rotate a single 2D or 3D vector."""
        return self.rotate(p)

    @classmethod
    def from_xyzw(cls, q) -> Quaternion:
        """Build a quaternion from ``(x, y, z, w)`` components."""
        return cls(q, xyzw=True)

    @classmethod
    def from_axis_angle(cls, angle, axis=(1, 0, 0), rad=False) -> Quaternion:
        """Build a quaternion from axis-angle form."""
        return cls(axis=axis, angle=angle, rad=rad)

    def copy(self) -> Quaternion:
        """Return a copy of the quaternion. Alias of ``clone()``."""
        return self.clone()

    def clone(self) -> Quaternion:
        """Clone the quaternion to make an exact copy."""
        return Quaternion(self.T)

    def reset(self) -> Self:
        """Reset quaternion to identity."""
        self.T.ToIdentity()
        return self

    def set(self, q, xyzw=False) -> Self:
        """Set quaternion components."""
        arr = np.asarray(q, dtype=float).ravel()
        if arr.shape != (4,):
            raise ValueError("Quaternion.set() expects a 4-sequence")
        if xyzw:
            self.T.Set(arr[3], arr[0], arr[1], arr[2])
        else:
            self.T.Set(arr)
        return self

    def set_axis_angle(self, angle, axis=(1, 0, 0), rad=False) -> Self:
        """Set quaternion from axis-angle form."""
        axis = np.asarray(axis, dtype=float)
        axis_norm = np.linalg.norm(axis)
        if axis_norm == 0:
            raise ValueError("Quaternion axis cannot have zero length")
        axis = axis / axis_norm
        if not rad:
            angle = np.deg2rad(angle)
        self.T.SetRotationAngleAndAxis(angle, axis)
        return self

    def angle_axis(self, rad=False) -> tuple[float, np.ndarray]:
        """Return the quaternion as ``(angle, axis)``."""
        axis = np.zeros(3, dtype=float)
        angle = float(self.T.GetRotationAngleAndAxis(axis))
        if not rad:
            angle = np.rad2deg(angle)
        return angle, axis

    def normalize(self) -> Self:
        """Normalize the quaternion in place."""
        self.T.Normalize()
        return self

    def normalized(self) -> Quaternion:
        """Return a normalized copy of the quaternion."""
        return Quaternion(self.T.Normalized())

    def conjugate(self) -> Self:
        """Conjugate the quaternion in place."""
        self.T.Conjugate()
        return self

    def conjugated(self) -> Quaternion:
        """Return the conjugated quaternion."""
        return Quaternion(self.T.Conjugated())

    def invert(self) -> Self:
        """Invert the quaternion in place."""
        self.T.Invert()
        return self

    def inverse(self) -> Quaternion:
        """Return the inverse quaternion."""
        return Quaternion(self.T.Inverse())

    def slerp(self, t: float, q) -> Quaternion:
        """Spherically interpolate towards quaternion ``q``."""
        q0 = self.normalized().wxyz
        q1 = Quaternion(q).normalized().wxyz
        dot = float(np.clip(np.dot(q0, q1), -1.0, 1.0))

        # Flip the second quaternion so we stay on the shortest arc.
        if dot < 0.0:
            q1 = -q1
            dot = -dot

        if dot > 0.9995:
            out = q0 + t * (q1 - q0)
            out /= np.linalg.norm(out)
            return Quaternion(out)

        theta0 = np.arccos(dot)
        theta = theta0 * t
        sin_theta0 = np.sin(theta0)
        out = np.sin(theta0 - theta) / sin_theta0 * q0 + np.sin(theta) / sin_theta0 * q1
        return Quaternion(out)

    def rotate(self, p) -> np.ndarray:
        """Rotate a single 2D or 3D vector."""
        p = np.asarray(p, dtype=float)
        if p.shape == (2,):
            p = np.array([p[0], p[1], 0.0], dtype=float)
        if p.shape != (3,):
            raise ValueError("Quaternion.rotate() expects a 2D or 3D vector")
        return self.matrix3x3 @ p

    transform_point = rotate

    def to_transform(self) -> LinearTransform:
        """Convert the quaternion to a ``LinearTransform``."""
        return LinearTransform(self.matrix3x3)

    @property
    def w(self) -> float:
        return float(self.T.GetW())

    @w.setter
    def w(self, value) -> None:
        self.T.SetW(float(value))

    @property
    def x(self) -> float:
        return float(self.T.GetX())

    @x.setter
    def x(self, value) -> None:
        self.T.SetX(float(value))

    @property
    def y(self) -> float:
        return float(self.T.GetY())

    @y.setter
    def y(self, value) -> None:
        self.T.SetY(float(value))

    @property
    def z(self) -> float:
        return float(self.T.GetZ())

    @z.setter
    def z(self, value) -> None:
        self.T.SetZ(float(value))

    @property
    def wxyz(self) -> np.ndarray:
        """Get the quaternion as ``(w, x, y, z)``."""
        return np.array([self.w, self.x, self.y, self.z], dtype=float)

    @wxyz.setter
    def wxyz(self, q) -> None:
        self.set(q)

    @property
    def xyzw(self) -> np.ndarray:
        """Get the quaternion as ``(x, y, z, w)``."""
        return np.array([self.x, self.y, self.z, self.w], dtype=float)

    @xyzw.setter
    def xyzw(self, q) -> None:
        self.set(q, xyzw=True)

    @property
    def norm(self) -> float:
        """Get the quaternion norm."""
        return float(self.T.Norm())

    @property
    def squared_norm(self) -> float:
        """Get the squared quaternion norm."""
        return float(self.T.SquaredNorm())

    @property
    def matrix3x3(self) -> np.ndarray:
        """Get the 3x3 rotation matrix."""
        M = np.zeros((3, 3), dtype=float)
        self.T.ToMatrix3x3(M)
        return M

    @matrix3x3.setter
    def matrix3x3(self, M) -> None:
        """Set quaternion from a 3x3 rotation matrix."""
        arr = np.asarray(M, dtype=float)
        if arr.shape != (3, 3):
            raise ValueError("Quaternion.matrix3x3 expects a 3x3 matrix")
        self.T.FromMatrix3x3(arr)

    @property
    def matrix(self) -> np.ndarray:
        """Alias of ``matrix3x3``."""
        return self.matrix3x3

    @matrix.setter
    def matrix(self, M) -> None:
        self.matrix3x3 = M

matrix property writable

Alias of matrix3x3.

matrix3x3 property writable

Get the 3x3 rotation matrix.

norm property

Get the quaternion norm.

squared_norm property

Get the squared quaternion norm.

wxyz property writable

Get the quaternion as (w, x, y, z).

xyzw property writable

Get the quaternion as (x, y, z, w).

angle_axis(rad=False)

Return the quaternion as (angle, axis).

Source code in vedo/core/transformations.py
790
791
792
793
794
795
796
def angle_axis(self, rad=False) -> tuple[float, np.ndarray]:
    """Return the quaternion as ``(angle, axis)``."""
    axis = np.zeros(3, dtype=float)
    angle = float(self.T.GetRotationAngleAndAxis(axis))
    if not rad:
        angle = np.rad2deg(angle)
    return angle, axis

clone()

Clone the quaternion to make an exact copy.

Source code in vedo/core/transformations.py
758
759
760
def clone(self) -> Quaternion:
    """Clone the quaternion to make an exact copy."""
    return Quaternion(self.T)

conjugate()

Conjugate the quaternion in place.

Source code in vedo/core/transformations.py
807
808
809
810
def conjugate(self) -> Self:
    """Conjugate the quaternion in place."""
    self.T.Conjugate()
    return self

conjugated()

Return the conjugated quaternion.

Source code in vedo/core/transformations.py
812
813
814
def conjugated(self) -> Quaternion:
    """Return the conjugated quaternion."""
    return Quaternion(self.T.Conjugated())

copy()

Return a copy of the quaternion. Alias of clone().

Source code in vedo/core/transformations.py
754
755
756
def copy(self) -> Quaternion:
    """Return a copy of the quaternion. Alias of ``clone()``."""
    return self.clone()

from_axis_angle(angle, axis=(1, 0, 0), rad=False) classmethod

Build a quaternion from axis-angle form.

Source code in vedo/core/transformations.py
749
750
751
752
@classmethod
def from_axis_angle(cls, angle, axis=(1, 0, 0), rad=False) -> Quaternion:
    """Build a quaternion from axis-angle form."""
    return cls(axis=axis, angle=angle, rad=rad)

from_xyzw(q) classmethod

Build a quaternion from (x, y, z, w) components.

Source code in vedo/core/transformations.py
744
745
746
747
@classmethod
def from_xyzw(cls, q) -> Quaternion:
    """Build a quaternion from ``(x, y, z, w)`` components."""
    return cls(q, xyzw=True)

inverse()

Return the inverse quaternion.

Source code in vedo/core/transformations.py
821
822
823
def inverse(self) -> Quaternion:
    """Return the inverse quaternion."""
    return Quaternion(self.T.Inverse())

invert()

Invert the quaternion in place.

Source code in vedo/core/transformations.py
816
817
818
819
def invert(self) -> Self:
    """Invert the quaternion in place."""
    self.T.Invert()
    return self

normalize()

Normalize the quaternion in place.

Source code in vedo/core/transformations.py
798
799
800
801
def normalize(self) -> Self:
    """Normalize the quaternion in place."""
    self.T.Normalize()
    return self

normalized()

Return a normalized copy of the quaternion.

Source code in vedo/core/transformations.py
803
804
805
def normalized(self) -> Quaternion:
    """Return a normalized copy of the quaternion."""
    return Quaternion(self.T.Normalized())

print()

Print quaternion details.

Source code in vedo/core/transformations.py
735
736
737
738
def print(self) -> Quaternion:
    """Print quaternion details."""
    print(self)
    return self

reset()

Reset quaternion to identity.

Source code in vedo/core/transformations.py
762
763
764
765
def reset(self) -> Self:
    """Reset quaternion to identity."""
    self.T.ToIdentity()
    return self

rotate(p)

Rotate a single 2D or 3D vector.

Source code in vedo/core/transformations.py
847
848
849
850
851
852
853
854
def rotate(self, p) -> np.ndarray:
    """Rotate a single 2D or 3D vector."""
    p = np.asarray(p, dtype=float)
    if p.shape == (2,):
        p = np.array([p[0], p[1], 0.0], dtype=float)
    if p.shape != (3,):
        raise ValueError("Quaternion.rotate() expects a 2D or 3D vector")
    return self.matrix3x3 @ p

set(q, xyzw=False)

Set quaternion components.

Source code in vedo/core/transformations.py
767
768
769
770
771
772
773
774
775
776
def set(self, q, xyzw=False) -> Self:
    """Set quaternion components."""
    arr = np.asarray(q, dtype=float).ravel()
    if arr.shape != (4,):
        raise ValueError("Quaternion.set() expects a 4-sequence")
    if xyzw:
        self.T.Set(arr[3], arr[0], arr[1], arr[2])
    else:
        self.T.Set(arr)
    return self

set_axis_angle(angle, axis=(1, 0, 0), rad=False)

Set quaternion from axis-angle form.

Source code in vedo/core/transformations.py
778
779
780
781
782
783
784
785
786
787
788
def set_axis_angle(self, angle, axis=(1, 0, 0), rad=False) -> Self:
    """Set quaternion from axis-angle form."""
    axis = np.asarray(axis, dtype=float)
    axis_norm = np.linalg.norm(axis)
    if axis_norm == 0:
        raise ValueError("Quaternion axis cannot have zero length")
    axis = axis / axis_norm
    if not rad:
        angle = np.deg2rad(angle)
    self.T.SetRotationAngleAndAxis(angle, axis)
    return self

slerp(t, q)

Spherically interpolate towards quaternion q.

Source code in vedo/core/transformations.py
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
def slerp(self, t: float, q) -> Quaternion:
    """Spherically interpolate towards quaternion ``q``."""
    q0 = self.normalized().wxyz
    q1 = Quaternion(q).normalized().wxyz
    dot = float(np.clip(np.dot(q0, q1), -1.0, 1.0))

    # Flip the second quaternion so we stay on the shortest arc.
    if dot < 0.0:
        q1 = -q1
        dot = -dot

    if dot > 0.9995:
        out = q0 + t * (q1 - q0)
        out /= np.linalg.norm(out)
        return Quaternion(out)

    theta0 = np.arccos(dot)
    theta = theta0 * t
    sin_theta0 = np.sin(theta0)
    out = np.sin(theta0 - theta) / sin_theta0 * q0 + np.sin(theta) / sin_theta0 * q1
    return Quaternion(out)

to_transform()

Convert the quaternion to a LinearTransform.

Source code in vedo/core/transformations.py
858
859
860
def to_transform(self) -> LinearTransform:
    """Convert the quaternion to a ``LinearTransform``."""
    return LinearTransform(self.matrix3x3)

TransformInterpolator

Interpolate between a set of linear transformations.

Position, scale and orientation (i.e., rotations) are interpolated separately, and can be interpolated linearly or with a spline function. Note that orientation is interpolated using quaternions via SLERP (spherical linear interpolation) or the special vtkQuaternionSpline class.

To use this class, add at least two pairs of (t, transformation) with the add() method. Then interpolate the transforms with the TransformInterpolator(t) call method, where "t" must be in the range of (min, max) times specified by the add() method.

Examples:

from vedo import *

T0 = LinearTransform()
T1 = LinearTransform().rotate_x(90).shift([12,0,0])

TRI = TransformInterpolator("linear")
TRI.add(0, T0)
TRI.add(1, T1)

plt = Plotter(axes=1)
for i in range(11):
    t = i/10
    T = TRI(t)
    plt += Cube().color(i).apply_transform(T)
plt.show().close()

Source code in vedo/core/transformations.py
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
class TransformInterpolator:
    """
    Interpolate between a set of linear transformations.

    Position, scale and orientation (i.e., rotations) are interpolated separately,
    and can be interpolated linearly or with a spline function.
    Note that orientation is interpolated using quaternions via
    SLERP (spherical linear interpolation) or the special `vtkQuaternionSpline` class.

    To use this class, add at least two pairs of (t, transformation) with the add() method.
    Then interpolate the transforms with the `TransformInterpolator(t)` call method,
    where "t" must be in the range of `(min, max)` times specified by the add() method.

    Examples:
        ```python
        from vedo import *

        T0 = LinearTransform()
        T1 = LinearTransform().rotate_x(90).shift([12,0,0])

        TRI = TransformInterpolator("linear")
        TRI.add(0, T0)
        TRI.add(1, T1)

        plt = Plotter(axes=1)
        for i in range(11):
            t = i/10
            T = TRI(t)
            plt += Cube().color(i).apply_transform(T)
        plt.show().close()
        ```
        ![](https://vedo.embl.es/images/extras/transf_interp.png)
    """

    def __init__(self, mode="linear") -> None:
        """
        Interpolate between two or more linear transformations.
        """
        self.vtk_interpolator = vtki.new("TransformInterpolator")
        self.mode(mode)
        self.TS: list[LinearTransform] = []

    def _mode_name(self) -> str:
        mapping = {
            0: "linear",
            1: "spline",
            2: "manual",
        }
        return mapping.get(self.vtk_interpolator.GetInterpolationType(), "unknown")

    def _summary_rows(self):
        rows = [
            ("mode", self._mode_name()),
            ("ntransforms", str(self.ntransforms)),
        ]
        if self.ntransforms:
            tmin, tmax = self.trange()
            rows.append(("trange", f"[{tmin}, {tmax}]"))
        else:
            rows.append(("trange", "[]"))
        return rows

    def __str__(self):
        return summary_string(self, self._summary_rows())

    def __repr__(self):
        return self.__str__()

    def __rich__(self):
        return summary_panel(self, self._summary_rows())

    def print(self) -> TransformInterpolator:
        """Print interpolator details."""
        print(self)
        return self

    def __call__(self, t):
        """
        Get the intermediate transformation at time `t`.
        """
        xform = vtki.vtkTransform()
        self.vtk_interpolator.InterpolateTransform(t, xform)
        return LinearTransform(xform)

    def add(self, t, T) -> TransformInterpolator:
        """Add intermediate transformations."""
        try:
            # in case a vedo object is passed
            T = T.transform
        except AttributeError:
            pass
        if isinstance(T, LinearTransform):
            LT = T
        elif isinstance(T, vtki.vtkLinearTransform):
            LT = LinearTransform(T)
        else:
            raise TypeError(
                "TransformInterpolator.add() expects LinearTransform or vtkLinearTransform"
            )

        self.TS.append(LT)
        self.vtk_interpolator.AddTransform(t, LT.T)
        return self

    # def remove(self, t) -> TransformInterpolator:
    #     """Remove intermediate transformations."""
    #     self.TS.pop(t)
    #     self.vtk_interpolator.RemoveTransform(t)
    #     return self

    def trange(self) -> np.ndarray:
        """Get interpolation range."""
        tmin = self.vtk_interpolator.GetMinimumT()
        tmax = self.vtk_interpolator.GetMaximumT()
        return np.array([tmin, tmax])

    def clear(self) -> TransformInterpolator:
        """Clear all intermediate transformations."""
        self.TS = []
        self.vtk_interpolator.Initialize()
        return self

    def mode(self, m) -> TransformInterpolator:
        """Set interpolation mode ('linear' or 'spline')."""
        if m == "linear":
            self.vtk_interpolator.SetInterpolationTypeToLinear()
        elif m == "spline":
            self.vtk_interpolator.SetInterpolationTypeToSpline()
        else:
            warn(
                'In TransformInterpolator mode can be either "linear" or "spline"',
                stacklevel=2,
            )
        return self

    @property
    def ntransforms(self) -> int:
        """Get number of transformations."""
        return self.vtk_interpolator.GetNumberOfTransforms()

ntransforms property

Get number of transformations.

add(t, T)

Add intermediate transformations.

Source code in vedo/core/transformations.py
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
def add(self, t, T) -> TransformInterpolator:
    """Add intermediate transformations."""
    try:
        # in case a vedo object is passed
        T = T.transform
    except AttributeError:
        pass
    if isinstance(T, LinearTransform):
        LT = T
    elif isinstance(T, vtki.vtkLinearTransform):
        LT = LinearTransform(T)
    else:
        raise TypeError(
            "TransformInterpolator.add() expects LinearTransform or vtkLinearTransform"
        )

    self.TS.append(LT)
    self.vtk_interpolator.AddTransform(t, LT.T)
    return self

clear()

Clear all intermediate transformations.

Source code in vedo/core/transformations.py
1466
1467
1468
1469
1470
def clear(self) -> TransformInterpolator:
    """Clear all intermediate transformations."""
    self.TS = []
    self.vtk_interpolator.Initialize()
    return self

mode(m)

Set interpolation mode ('linear' or 'spline').

Source code in vedo/core/transformations.py
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
def mode(self, m) -> TransformInterpolator:
    """Set interpolation mode ('linear' or 'spline')."""
    if m == "linear":
        self.vtk_interpolator.SetInterpolationTypeToLinear()
    elif m == "spline":
        self.vtk_interpolator.SetInterpolationTypeToSpline()
    else:
        warn(
            'In TransformInterpolator mode can be either "linear" or "spline"',
            stacklevel=2,
        )
    return self

print()

Print interpolator details.

Source code in vedo/core/transformations.py
1421
1422
1423
1424
def print(self) -> TransformInterpolator:
    """Print interpolator details."""
    print(self)
    return self

trange()

Get interpolation range.

Source code in vedo/core/transformations.py
1460
1461
1462
1463
1464
def trange(self) -> np.ndarray:
    """Get interpolation range."""
    tmin = self.vtk_interpolator.GetMinimumT()
    tmax = self.vtk_interpolator.GetMaximumT()
    return np.array([tmin, tmax])

cart2cyl(x, y, z)

3D Cartesian to Cylindrical coordinate conversion.

Source code in vedo/core/transformations.py
1531
1532
1533
1534
1535
def cart2cyl(x, y, z) -> np.ndarray:
    """3D Cartesian to Cylindrical coordinate conversion."""
    rho = np.hypot(x, y)
    theta = np.arctan2(y, x)
    return np.array([rho, theta, z])

cart2pol(x, y)

2D Cartesian to Polar coordinates conversion.

Source code in vedo/core/transformations.py
1493
1494
1495
1496
1497
def cart2pol(x, y) -> np.ndarray:
    """2D Cartesian to Polar coordinates conversion."""
    theta = np.arctan2(y, x)
    rho = np.hypot(x, y)
    return np.array([rho, theta])

cart2spher(x, y, z)

3D Cartesian to Spherical coordinate conversion.

Source code in vedo/core/transformations.py
1509
1510
1511
1512
1513
1514
1515
def cart2spher(x, y, z) -> np.ndarray:
    """3D Cartesian to Spherical coordinate conversion."""
    hxy = np.hypot(x, y)
    rho = np.hypot(hxy, z)
    theta = np.arctan2(hxy, z)
    phi = np.arctan2(y, x)
    return np.array([rho, theta, phi])

cyl2cart(rho, theta, z)

3D Cylindrical to Cartesian coordinate conversion.

Source code in vedo/core/transformations.py
1538
1539
1540
1541
1542
def cyl2cart(rho, theta, z) -> np.ndarray:
    """3D Cylindrical to Cartesian coordinate conversion."""
    x = rho * np.cos(theta)
    y = rho * np.sin(theta)
    return np.array([x, y, z])

cyl2spher(rho, theta, z)

3D Cylindrical to Spherical coordinate conversion.

Source code in vedo/core/transformations.py
1545
1546
1547
1548
1549
def cyl2spher(rho, theta, z) -> np.ndarray:
    """3D Cylindrical to Spherical coordinate conversion."""
    rhos = np.sqrt(rho * rho + z * z)
    phi = np.arctan2(rho, z)
    return np.array([rhos, phi, theta])

pol2cart(rho, theta)

2D Polar to Cartesian coordinates conversion.

Source code in vedo/core/transformations.py
1500
1501
1502
1503
1504
def pol2cart(rho, theta) -> np.ndarray:
    """2D Polar to Cartesian coordinates conversion."""
    x = rho * np.cos(theta)
    y = rho * np.sin(theta)
    return np.array([x, y])

spher2cart(rho, theta, phi)

3D Spherical to Cartesian coordinate conversion.

Source code in vedo/core/transformations.py
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
def spher2cart(rho, theta, phi) -> np.ndarray:
    """3D Spherical to Cartesian coordinate conversion."""
    st = np.sin(theta)
    sp = np.sin(phi)
    ct = np.cos(theta)
    cp = np.cos(phi)
    rst = rho * st
    x = rst * cp
    y = rst * sp
    z = rho * ct
    return np.array([x, y, z])

spher2cyl(rho, theta, phi)

3D Spherical to Cylindrical coordinate conversion.

Source code in vedo/core/transformations.py
1552
1553
1554
1555
1556
def spher2cyl(rho, theta, phi) -> np.ndarray:
    """3D Spherical to Cylindrical coordinate conversion."""
    rhoc = rho * np.sin(theta)
    z = rho * np.cos(theta)
    return np.array([rhoc, phi, z])