1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
use crate::matrix::ge::Matrix;
use crate::matrix::MatrixError;
use crate::number::c64;
use crate::Number;
use lapack::{dgetrf, zgetrf};

#[derive(Clone, Debug)]
pub struct GETRF<T = f64>(pub Matrix<T>, pub Vec<i32>)
where
    T: Number;

impl Matrix {
    /// # LU decomposition
    /// for f64
    pub fn getrf(self) -> Result<GETRF, MatrixError> {
        let m = self.rows;
        let n = self.cols;
        let mut ipiv = vec![0; m.min(n)];
        let mut info = 0;

        let mut slf = self;
        let m = m as i32;
        let n = n as i32;

        unsafe {
            dgetrf(n, m, &mut slf.elems, n, &mut ipiv, &mut info);
        }

        match info {
            0 => Ok(GETRF(slf, ipiv)),
            _ => Err(MatrixError::LapackRoutineError {
                routine: "dgetrf".to_owned(),
                info,
            }),
        }
    }
}

impl Matrix<c64> {
    /// # LU decomposition
    /// for c64
    pub fn getrf(self) -> Result<GETRF<c64>, MatrixError> {
        let m = self.rows;
        let n = self.cols;
        let mut ipiv = vec![0; m.min(n)];
        let mut info = 0;

        let mut slf = self;
        let m = m as i32;
        let n = n as i32;

        unsafe {
            zgetrf(n, m, &mut slf.elems, n, &mut ipiv, &mut info);
        }

        match info {
            0 => Ok(GETRF::<c64>(slf, ipiv)),
            _ => Err(MatrixError::LapackRoutineError {
                routine: "zgetrf".to_owned(),
                info,
            }),
        }
    }
}