nalgebra/
lib.rs

1/*!
2# nalgebra
3
4**nalgebra** is a linear algebra library written for Rust targeting:
5
6* General-purpose linear algebra (still lacks a lot of features…)
7* Real-time computer graphics.
8* Real-time computer physics.
9
10## Using **nalgebra**
11You will need the last stable build of the [rust compiler](https://www.rust-lang.org)
12and the official package manager: [cargo](https://github.com/rust-lang/cargo).
13
14Simply add the following to your `Cargo.toml` file:
15
16```ignore
17[dependencies]
18// TODO: replace the * by the latest version.
19nalgebra = "*"
20```
21
22
23Most useful functionalities of **nalgebra** are grouped in the root module `nalgebra::`.
24
25However, the recommended way to use **nalgebra** is to import types and traits
26explicitly, and call free-functions using the `na::` prefix:
27
28```
29#[macro_use]
30extern crate approx; // For the macro assert_relative_eq!
31extern crate nalgebra as na;
32use na::{Vector3, Rotation3};
33
34fn main() {
35    let axis  = Vector3::x_axis();
36    let angle = 1.57;
37    let b     = Rotation3::from_axis_angle(&axis, angle);
38
39    assert_relative_eq!(b.axis().unwrap(), axis);
40    assert_relative_eq!(b.angle(), angle);
41}
42```
43
44
45## Features
46**nalgebra** is meant to be a general-purpose, low-dimensional, linear algebra library, with
47an optimized set of tools for computer graphics and physics. Those features include:
48
49* A single parametrizable type [`Matrix`](Matrix) for vectors, (square or rectangular) matrices, and
50  slices with dimensions known either at compile-time (using type-level integers) or at runtime.
51* Matrices and vectors with compile-time sizes are statically allocated while dynamic ones are
52  allocated on the heap.
53* Convenient aliases for low-dimensional matrices and vectors: [`Vector1`](Vector1) to
54  [`Vector6`](Vector6) and [`Matrix1x1`](Matrix1) to [`Matrix6x6`](Matrix6), including rectangular
55  matrices like [`Matrix2x5`](Matrix2x5).
56* Points sizes known at compile time, and convenience aliases: [`Point1`](Point1) to
57  [`Point6`](Point6).
58* Translation (seen as a transformation that composes by multiplication):
59  [`Translation2`](Translation2), [`Translation3`](Translation3).
60* Rotation matrices: [`Rotation2`](Rotation2), [`Rotation3`](Rotation3).
61* Quaternions: [`Quaternion`](Quaternion), [`UnitQuaternion`](UnitQuaternion) (for 3D rotation).
62* Unit complex numbers can be used for 2D rotation: [`UnitComplex`](UnitComplex).
63* Algebraic entities with a norm equal to one: [`Unit<T>`](Unit), e.g., `Unit<Vector3<f32>>`.
64* Isometries (translation ⨯ rotation): [`Isometry2`](Isometry2), [`Isometry3`](Isometry3)
65* Similarity transformations (translation ⨯ rotation ⨯ uniform scale):
66  [`Similarity2`](Similarity2), [`Similarity3`](Similarity3).
67* Affine transformations stored as a homogeneous matrix:
68  [`Affine2`](Affine2), [`Affine3`](Affine3).
69* Projective (i.e. invertible) transformations stored as a homogeneous matrix:
70  [`Projective2`](Projective2), [`Projective3`](Projective3).
71* General transformations that does not have to be invertible, stored as a homogeneous matrix:
72  [`Transform2`](Transform2), [`Transform3`](Transform3).
73* 3D projections for computer graphics: [`Perspective3`](Perspective3),
74  [`Orthographic3`](Orthographic3).
75* Matrix factorizations: [`Cholesky`](Cholesky), [`QR`](QR), [`LU`](LU), [`FullPivLU`](FullPivLU),
76  [`SVD`](SVD), [`Schur`](Schur), [`Hessenberg`](Hessenberg), [`SymmetricEigen`](SymmetricEigen).
77* Insertion and removal of rows of columns of a matrix.
78*/
79
80#![deny(
81    missing_docs,
82    nonstandard_style,
83    unused_variables,
84    unused_mut,
85    unused_parens,
86    rust_2018_idioms,
87    rust_2018_compatibility,
88    future_incompatible,
89    missing_copy_implementations
90)]
91#![cfg_attr(not(feature = "rkyv-serialize-no-std"), deny(unused_results))] // TODO: deny this globally once bytecheck stops generating unused results.
92#![doc(
93    html_favicon_url = "https://nalgebra.org/img/favicon.ico",
94    html_root_url = "https://docs.rs/nalgebra/0.25.0"
95)]
96#![cfg_attr(not(feature = "std"), no_std)]
97
98/// Generates an appropriate deprecation note with a suggestion for replacement.
99///
100/// Used for deprecating slice types in various locations throughout the library.
101/// See #1076 for more information.
102macro_rules! slice_deprecation_note {
103    ($replacement:ident) => {
104        concat!("Use ", stringify!($replacement),
105            r###" instead. See [issue #1076](https://github.com/dimforge/nalgebra/issues/1076) for more information."###)
106    }
107}
108
109pub(crate) use slice_deprecation_note;
110
111#[cfg(feature = "rand-no-std")]
112extern crate rand_package as rand;
113
114#[cfg(feature = "serde-serialize-no-std")]
115#[macro_use]
116extern crate serde;
117
118#[macro_use]
119extern crate approx;
120extern crate num_traits as num;
121
122#[cfg(all(feature = "alloc", not(feature = "std")))]
123#[cfg_attr(test, macro_use)]
124extern crate alloc;
125
126#[cfg(not(feature = "std"))]
127extern crate core as std;
128
129#[macro_use]
130#[cfg(feature = "io")]
131extern crate pest_derive;
132
133pub mod base;
134#[cfg(feature = "debug")]
135pub mod debug;
136pub mod geometry;
137#[cfg(feature = "io")]
138pub mod io;
139pub mod linalg;
140#[cfg(feature = "proptest-support")]
141pub mod proptest;
142#[cfg(feature = "sparse")]
143pub mod sparse;
144mod third_party;
145
146pub use crate::base::*;
147pub use crate::geometry::*;
148pub use crate::linalg::*;
149#[cfg(feature = "sparse")]
150pub use crate::sparse::*;
151#[cfg(feature = "std")]
152#[deprecated(
153    note = "The 'core' module is being renamed to 'base' to avoid conflicts with the 'core' crate."
154)]
155pub use base as core;
156
157#[cfg(feature = "macros")]
158pub use nalgebra_macros::{dmatrix, dvector, matrix, point, stack, vector};
159
160use simba::scalar::SupersetOf;
161use std::cmp::{self, Ordering, PartialOrd};
162
163use num::{One, Signed, Zero};
164
165use base::allocator::Allocator;
166pub use num_complex::Complex;
167pub use simba::scalar::{
168    ClosedAddAssign, ClosedDivAssign, ClosedMulAssign, ClosedSubAssign, ComplexField, Field,
169    RealField,
170};
171pub use simba::simd::{SimdBool, SimdComplexField, SimdPartialOrd, SimdRealField, SimdValue};
172
173/// Gets the multiplicative identity element.
174///
175/// # See also:
176///
177/// * [`origin()`](crate::OPoint::origin)
178/// * [`zero()`]
179#[inline]
180pub fn one<T: One>() -> T {
181    T::one()
182}
183
184/// Gets the additive identity element.
185///
186/// # See also:
187///
188/// * [`one()`]
189/// * [`origin()`](crate::OPoint::origin)
190#[inline]
191pub fn zero<T: Zero>() -> T {
192    T::zero()
193}
194
195/*
196 *
197 * Ordering
198 *
199 */
200// XXX: this is very naive and could probably be optimized for specific types.
201// XXX: also, we might just want to use divisions, but assuming `val` is usually not far from `min`
202// or `max`, would it still be more efficient?
203/// Wraps `val` into the range `[min, max]` using modular arithmetics.
204///
205/// The range must not be empty.
206#[must_use]
207#[inline]
208pub fn wrap<T>(mut val: T, min: T, max: T) -> T
209where
210    T: Copy + PartialOrd + ClosedAddAssign + ClosedSubAssign,
211{
212    assert!(min < max, "Invalid wrapping bounds.");
213    let width = max - min;
214
215    if val < min {
216        val += width;
217
218        while val < min {
219            val += width
220        }
221    } else if val > max {
222        val -= width;
223
224        while val > max {
225            val -= width
226        }
227    }
228
229    val
230}
231
232/// Returns a reference to the input value clamped to the interval `[min, max]`.
233///
234/// In particular:
235///     * If `min < val < max`, this returns `val`.
236///     * If `val <= min`, this returns `min`.
237///     * If `val >= max`, this returns `max`.
238#[must_use]
239#[inline]
240pub fn clamp<T: PartialOrd>(val: T, min: T, max: T) -> T {
241    if val > min {
242        if val < max {
243            val
244        } else {
245            max
246        }
247    } else {
248        min
249    }
250}
251
252/// Same as `cmp::max`.
253#[inline]
254pub fn max<T: Ord>(a: T, b: T) -> T {
255    cmp::max(a, b)
256}
257
258/// Same as `cmp::min`.
259#[inline]
260pub fn min<T: Ord>(a: T, b: T) -> T {
261    cmp::min(a, b)
262}
263
264/// The absolute value of `a`.
265///
266/// Deprecated: Use [`Matrix::abs()`] or [`ComplexField::abs()`] instead.
267#[deprecated(note = "use the inherent method `Matrix::abs` or `ComplexField::abs` instead")]
268#[inline]
269pub fn abs<T: Signed>(a: &T) -> T {
270    a.abs()
271}
272
273/// Returns the infimum of `a` and `b`.
274#[deprecated(note = "use the inherent method `Matrix::inf` instead")]
275#[inline]
276pub fn inf<T, R: Dim, C: Dim>(a: &OMatrix<T, R, C>, b: &OMatrix<T, R, C>) -> OMatrix<T, R, C>
277where
278    T: Scalar + SimdPartialOrd,
279    DefaultAllocator: Allocator<R, C>,
280{
281    a.inf(b)
282}
283
284/// Returns the supremum of `a` and `b`.
285#[deprecated(note = "use the inherent method `Matrix::sup` instead")]
286#[inline]
287pub fn sup<T, R: Dim, C: Dim>(a: &OMatrix<T, R, C>, b: &OMatrix<T, R, C>) -> OMatrix<T, R, C>
288where
289    T: Scalar + SimdPartialOrd,
290    DefaultAllocator: Allocator<R, C>,
291{
292    a.sup(b)
293}
294
295/// Returns simultaneously the infimum and supremum of `a` and `b`.
296#[deprecated(note = "use the inherent method `Matrix::inf_sup` instead")]
297#[inline]
298pub fn inf_sup<T, R: Dim, C: Dim>(
299    a: &OMatrix<T, R, C>,
300    b: &OMatrix<T, R, C>,
301) -> (OMatrix<T, R, C>, OMatrix<T, R, C>)
302where
303    T: Scalar + SimdPartialOrd,
304    DefaultAllocator: Allocator<R, C>,
305{
306    a.inf_sup(b)
307}
308
309/// Compare `a` and `b` using a partial ordering relation.
310#[inline]
311pub fn partial_cmp<T: PartialOrd>(a: &T, b: &T) -> Option<Ordering> {
312    a.partial_cmp(b)
313}
314
315/// Returns `true` iff `a` and `b` are comparable and `a < b`.
316#[inline]
317pub fn partial_lt<T: PartialOrd>(a: &T, b: &T) -> bool {
318    a.lt(b)
319}
320
321/// Returns `true` iff `a` and `b` are comparable and `a <= b`.
322#[inline]
323pub fn partial_le<T: PartialOrd>(a: &T, b: &T) -> bool {
324    a.le(b)
325}
326
327/// Returns `true` iff `a` and `b` are comparable and `a > b`.
328#[inline]
329pub fn partial_gt<T: PartialOrd>(a: &T, b: &T) -> bool {
330    a.gt(b)
331}
332
333/// Returns `true` iff `a` and `b` are comparable and `a >= b`.
334#[inline]
335pub fn partial_ge<T: PartialOrd>(a: &T, b: &T) -> bool {
336    a.ge(b)
337}
338
339/// Return the minimum of `a` and `b` if they are comparable.
340#[inline]
341pub fn partial_min<'a, T: PartialOrd>(a: &'a T, b: &'a T) -> Option<&'a T> {
342    if let Some(ord) = a.partial_cmp(b) {
343        match ord {
344            Ordering::Greater => Some(b),
345            _ => Some(a),
346        }
347    } else {
348        None
349    }
350}
351
352/// Return the maximum of `a` and `b` if they are comparable.
353#[inline]
354pub fn partial_max<'a, T: PartialOrd>(a: &'a T, b: &'a T) -> Option<&'a T> {
355    if let Some(ord) = a.partial_cmp(b) {
356        match ord {
357            Ordering::Less => Some(b),
358            _ => Some(a),
359        }
360    } else {
361        None
362    }
363}
364
365/// Clamp `value` between `min` and `max`. Returns `None` if `value` is not comparable to
366/// `min` or `max`.
367#[inline]
368pub fn partial_clamp<'a, T: PartialOrd>(value: &'a T, min: &'a T, max: &'a T) -> Option<&'a T> {
369    if let (Some(cmp_min), Some(cmp_max)) = (value.partial_cmp(min), value.partial_cmp(max)) {
370        if cmp_min == Ordering::Less {
371            Some(min)
372        } else if cmp_max == Ordering::Greater {
373            Some(max)
374        } else {
375            Some(value)
376        }
377    } else {
378        None
379    }
380}
381
382/// Sorts two values in increasing order using a partial ordering.
383#[inline]
384pub fn partial_sort2<'a, T: PartialOrd>(a: &'a T, b: &'a T) -> Option<(&'a T, &'a T)> {
385    if let Some(ord) = a.partial_cmp(b) {
386        match ord {
387            Ordering::Less => Some((a, b)),
388            _ => Some((b, a)),
389        }
390    } else {
391        None
392    }
393}
394
395/*
396 *
397 * Point operations.
398 *
399 */
400/// The center of two points.
401///
402/// # See also:
403///
404/// * [`distance()`]
405/// * [`distance_squared()`]
406#[inline]
407pub fn center<T: SimdComplexField, const D: usize>(
408    p1: &Point<T, D>,
409    p2: &Point<T, D>,
410) -> Point<T, D> {
411    ((&p1.coords + &p2.coords) * convert::<_, T>(0.5)).into()
412}
413
414/// The distance between two points.
415///
416/// # See also:
417///
418/// * [`center()`]
419/// * [`distance_squared()`]
420#[inline]
421pub fn distance<T: SimdComplexField, const D: usize>(
422    p1: &Point<T, D>,
423    p2: &Point<T, D>,
424) -> T::SimdRealField {
425    (&p2.coords - &p1.coords).norm()
426}
427
428/// The squared distance between two points.
429///
430/// # See also:
431///
432/// * [`center()`]
433/// * [`distance()`]
434#[inline]
435pub fn distance_squared<T: SimdComplexField, const D: usize>(
436    p1: &Point<T, D>,
437    p2: &Point<T, D>,
438) -> T::SimdRealField {
439    (&p2.coords - &p1.coords).norm_squared()
440}
441
442/*
443 * Cast
444 */
445/// Converts an object from one type to an equivalent or more general one.
446///
447/// See also [`try_convert()`] for conversion to more specific types.
448///
449/// # See also:
450///
451/// * [`convert_ref()`]
452/// * [`convert_ref_unchecked()`]
453/// * [`is_convertible()`]
454/// * [`try_convert()`]
455/// * [`try_convert_ref()`]
456#[inline]
457pub fn convert<From, To: SupersetOf<From>>(t: From) -> To {
458    To::from_subset(&t)
459}
460
461/// Attempts to convert an object to a more specific one.
462///
463/// See also [`convert()`] for conversion to more general types.
464///
465/// # See also:
466///
467/// * [`convert()`]
468/// * [`convert_ref()`]
469/// * [`convert_ref_unchecked()`]
470/// * [`is_convertible()`]
471/// * [`try_convert_ref()`]
472#[inline]
473pub fn try_convert<From: SupersetOf<To>, To>(t: From) -> Option<To> {
474    t.to_subset()
475}
476
477/// Indicates if [`try_convert()`] will succeed without
478/// actually performing the conversion.
479///
480/// # See also:
481///
482/// * [`convert()`]
483/// * [`convert_ref()`]
484/// * [`convert_ref_unchecked()`]
485/// * [`try_convert()`]
486/// * [`try_convert_ref()`]
487#[inline]
488pub fn is_convertible<From: SupersetOf<To>, To>(t: &From) -> bool {
489    t.is_in_subset()
490}
491
492/// Use with care! Same as [`try_convert()`] but
493/// without any property checks.
494///
495/// # See also:
496///
497/// * [`convert()`]
498/// * [`convert_ref()`]
499/// * [`convert_ref_unchecked()`]
500/// * [`is_convertible()`]
501/// * [`try_convert()`]
502/// * [`try_convert_ref()`]
503#[inline]
504pub fn convert_unchecked<From: SupersetOf<To>, To>(t: From) -> To {
505    t.to_subset_unchecked()
506}
507
508/// Converts an object from one type to an equivalent or more general one.
509///
510/// # See also:
511///
512/// * [`convert()`]
513/// * [`convert_ref_unchecked()`]
514/// * [`is_convertible()`]
515/// * [`try_convert()`]
516/// * [`try_convert_ref()`]
517#[inline]
518pub fn convert_ref<From, To: SupersetOf<From>>(t: &From) -> To {
519    To::from_subset(t)
520}
521
522/// Attempts to convert an object to a more specific one.
523///
524/// # See also:
525///
526/// * [`convert()`]
527/// * [`convert_ref()`]
528/// * [`convert_ref_unchecked()`]
529/// * [`is_convertible()`]
530/// * [`try_convert()`]
531#[inline]
532pub fn try_convert_ref<From: SupersetOf<To>, To>(t: &From) -> Option<To> {
533    t.to_subset()
534}
535
536/// Use with care! Same as [`try_convert()`] but
537/// without any property checks.
538///
539/// # See also:
540///
541/// * [`convert()`]
542/// * [`convert_ref()`]
543/// * [`is_convertible()`]
544/// * [`try_convert()`]
545/// * [`try_convert_ref()`]
546#[inline]
547pub fn convert_ref_unchecked<From: SupersetOf<To>, To>(t: &From) -> To {
548    t.to_subset_unchecked()
549}