This is a simple implementation of matrices using generic parameters. Includes addition, subtraction, and multiplication. The main module is matrix_operations
, and the actual implementation of a matrix is defined within under Matrix
.
Matrices are defined generically, and can be initialized with any type satisfying:
rust
impl<T> Matrix<T>
where T: Add<Output = T> + Mul<Output = T> +
Sub<Output = T> + Clone +
Default
Despite having a lot of restrictions on T
, this is actually a very easy set of criteria to satisfy. Most numeric types satisfy this, as will my implementation of complex numbers in the complex-plane
crate. The Matrix
implementation directly implements the above traits, so you can use the common operators +, -, *
to work with them.
There are a number of initializers for matrices.
```rust
// Define a matrix given a 2d vector of some type following the above bounds
let matfromdata: Matrix
// Create a 2x3 matrix where each entry is 1.25
let matfromconstant: Matrix
// Create a 16x8 matrix where each entry is i8::default()
let matfromdimension: Matrix
// Create a 2x2 matrix where each entry is f32::default()
let matfromrowsandcolumns: Matrix
All of the above use predefined constants or T::default()
for whatever type you're using. There are also initializers for diagonal matrices as well.
```rust
// Initialize a 10x10 diagonal unit matrix taking integral values
let unitmatrixz10x10: Matrix
// Initialize a 5x5 diagonal matrix with diagonal values equal to f32::default()
let diagonaldefaultmat: Matrix
```rust
// Take the transpose, M^T, of some matrix M
let m_t: Matrix
// Add two matrices, m1 and m2 let sum = m1 + m2;
// Take the product of two matrices, m1 and m2 let product = m1 * m2
// Subtract m1 from m2 let difference = m2 - m1 ```
I'd like to continue improving upon this (as of now) extremely simple implementation. I'd like to add support for: - Multithreading of all matrix operations - Include ability to take determinants and invert matrices - Overhaul implementation to include lifetimes - Add support for casting matrices