mirror of https://github.com/01-edu/public.git
You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
58 lines
1.4 KiB
58 lines
1.4 KiB
4 years ago
|
## matrix
|
||
|
|
||
|
### Instructions
|
||
|
|
||
|
Define a data structure to represent a matrix of any size and implement the basic operations for this you will need to follow the next steps:
|
||
|
|
||
|
You can use a 2 dimensional Vec<T>'s We will consider a matrix as a rectangular arrangements of scalars.
|
||
|
|
||
|
You have to use the definition of scalars done in the last exercise: `lalgebra_scalar`
|
||
|
|
||
|
Then define the associated function `identity` that returns the identity matrix of size n
|
||
|
|
||
|
And the associated function `zero` that returns a matrix of size `row x col` with all the positions filled by zeroes
|
||
|
|
||
|
### Notions
|
||
|
|
||
|
[Traits]( https://doc.rust-lang.org/book/ch19-03-advanced-traits.html )
|
||
|
|
||
|
### Expected Functions and Structure
|
||
|
|
||
|
```rust
|
||
|
pub struct Matrix<T>(pub Vec<Vec<T>>);
|
||
|
|
||
|
impl Matrix<T> {
|
||
|
pub fn new() -> Matrix<T> {
|
||
|
}
|
||
|
|
||
|
pub fn zero(row: usize, col: usize) -> Matrix<T> {
|
||
|
}
|
||
|
|
||
|
pub fn identity(n: usize) -> Matrix<T> {
|
||
|
}
|
||
|
}
|
||
|
```
|
||
|
|
||
|
### Usage
|
||
|
|
||
|
Here is a program to test your function.
|
||
|
|
||
|
```rust
|
||
|
fn main() {
|
||
|
let m: Matrix<u32> = Matrix(vec![vec![0, 0, 0, 0], vec![0, 0, 0, 0], vec![0, 0, 0, 0]]);
|
||
|
println!("{:?}", m);
|
||
|
println!("{:?}", Matrix::<i32>::identity(4));
|
||
|
println!("{:?}", Matrix::<f64>::zero(3, 4));
|
||
|
}
|
||
|
```
|
||
|
|
||
|
And its output
|
||
|
|
||
|
```console
|
||
|
student@ubuntu:~/[[ROOT]]/test$ cargo run
|
||
|
Matrix([[0, 0, 0, 0], [0, 0, 0, 0], [0, 0, 0, 0]])
|
||
|
Matrix([[1, 0, 0, 0], [0, 1, 0, 0], [0, 0, 1, 0], [0, 0, 0, 1]])
|
||
|
Matrix([[0, 0, 0, 0], [0, 0, 0, 0], [0, 0, 0, 0]])
|
||
|
student@ubuntu:~/[[ROOT]]/test$
|
||
|
```
|