方法`mul`具有特征的不兼容类型

时间:2015-11-17 19:27:32

标签: struct rust

我在Rust中创建了一个简单的矩阵结构,我试图实现一些基本的运算符方法:

use std::ops::Mul;

struct Matrix {
    cols: i32,
    rows: i32,
    data: Vec<f32>,
}

impl Matrix {
    fn new(cols: i32, rows: i32, data: Vec<f32>) -> Matrix {
        Matrix {
            cols: cols,
            rows: rows,
            data: data,
        }
    }
}

impl Mul<f32> for Matrix {
    type Output = Matrix;

    fn mul(&self, m: f32) -> Matrix {
        let mut new_data = Vec::with_capacity(self.cols * self.rows);

        for i in 0..self.cols * self.rows {
            new_data[i] = self.data[i] * m;
        }

        return Matrix {
            cols: *self.cols,
            rows: *self.rows,
            data: new_data,
        };
    }
}

fn main() {}

我仍然熟悉Rust和系统编程,我确信错误非常明显。编译器告诉我:

error[E0053]: method `mul` has an incompatible type for trait
  --> src/main.rs:22:5
   |
22 |     fn mul(&self, m: f32) -> Matrix {
   |     ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ expected struct `Matrix`, found &Matrix
   |
   = note: expected type `fn(Matrix, f32) -> Matrix`
              found type `fn(&Matrix, f32) -> Matrix`

它指的是for循环的内容(我相信)。我尝试过玩一些其他的东西,但我无法理解它。

1 个答案:

答案 0 :(得分:3)

此处出现错误消息:

error[E0053]: method `mul` has an incompatible type for trait
  --> src/main.rs:22:5
   |
22 |     fn mul(&self, m: f32) -> Matrix {
   |     ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ expected struct `Matrix`, found &Matrix
   |
   = note: expected type `fn(Matrix, f32) -> Matrix`
              found type `fn(&Matrix, f32) -> Matrix`

让我们看一下Mul特征,看看你的实现与之匹配的原因:

pub trait Mul<RHS = Self> {
    type Output;
    fn mul(self, rhs: RHS) -> Self::Output;
}

这表示除非您进一步指定,RHSSelf的类型相同。 Self是将要实施特征的类型。让我们来看看你的定义:

impl Mul<f32> for Matrix {
    type Output = Matrix;

    fn mul(&self, m: f32) -> Matrix {}
}

在您的情况下,您已将f32替换为RHS,将Matrix替换为Output。此外,Matrix是实现类型。让我们把特征定义和替换,产生一些伪Rust:

pub trait Mul {
    fn mul(self, rhs: f32) -> Matrix;
}

现在你看到了什么不同?

// Trait
fn mul(self,  m: f32) -> Matrix;
// Your implementation
fn mul(&self, m: f32) -> Matrix;

您错误地指定采用&self代替self

为了完整性,这是实施。我免费提出了样式修复!

impl Mul<f32> for Matrix {
    type Output = Matrix;

    fn mul(self, m: f32) -> Matrix {
        let new_data = self.data.into_iter().map(|v| v * m).collect();

        Matrix {
            cols: self.cols,
            rows: self.rows,
            data: new_data,
        }
    }
}

这有点低效,因为它释放并重新分配data向量。由于您按价值Matrix,我们只需编辑它就可以了:

impl Mul<f32> for Matrix {
    type Output = Matrix;

    fn mul(mut self, m: f32) -> Matrix {
        for v in &mut self.data {
            *v *= m
        }

        self
    }
}