3

我正在尝试通过示例网站通过 Rust上的“元组课程” ,但我被格式化的输出实现所困。我有这段代码,它打印传递的矩阵:

#[derive(Debug)]
struct Matrix{
  data: Vec<Vec<f64>>   // [[...], [...],] 
}

impl fmt::Display for Matrix {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        let output_data = self.data
            // [[1, 2], [2, 3]] -> ["1, 2", "2, 3"]
            .into_iter()
            .map(|row| {
                row.into_iter()
                    .map(|value| value.to_string())
                    .collect::<Vec<String>>()
                    .join(", ")
            })
            .collect::<Vec<String>>()
            // ["1, 2", "2, 3"] -> ["(1, 2)", "(2, 3)"]
            .into_iter()
            .map(|string_row| { format!("({})", string_row) })
            // ["(1, 2)", "(2, 3)"] -> "(1, 2),\n(2, 3)"
            .collect::<Vec<String>>()
            .join(",\n");
        write!(f, "{}", output_data)
    }
}

但是编译器会打印下一条消息:

<anon>:21:40: 21:44 error: cannot move out of borrowed content [E0507]
<anon>:21         let output_data = self.data
                                    ^~~~
<anon>:21:40: 21:44 help: see the detailed explanation for E0507
error: aborting due to previous error
playpen: application terminated with error code 101

我试图将output_data's 结果包装到 aRefCell中,但编译器仍然会打印此错误。如何解决此问题,以便write!宏正常工作?

4

1 回答 1

5

问题是into_inter取得 的所有权data,即data从 移出self,这是不允许的(这就是错误所说的)。要在不获取所有权的情况下迭代向量,请使用iter方法:

fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
    let output_data = self.data
        // [[1, 2], [2, 3]] -> ["1, 2", "2, 3"]
        .iter()
        .map(|row| {
            row.into_iter()
                .map(|value| value.to_string())
                .collect::<Vec<String>>()
                .join(", ")
        })
        .collect::<Vec<String>>()
        // ["1, 2", "2, 3"] -> ["(1, 2)", "(2, 3)"]
        .into_iter()
        .map(|string_row| { format!("({})", string_row) })
        // ["(1, 2)", "(2, 3)"] -> "(1, 2),\n(2, 3)"
        .collect::<Vec<String>>()
        .join(",\n");
    write!(f, "{}", output_data)
}

看看格式化程序。它有一些方法可以帮助编写fmt. 这是一个不分配中介向量和字符串的版本:

fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
    let mut sep = "";
    for line in &self.data { // this is like: for line in self.data.iter()
        try!(f.write_str(sep));
        let mut d = f.debug_tuple("");
        for row in line {
            d.field(row);
        }
        try!(d.finish());
        sep = ",\n";
    }
    Ok(())
}
于 2016-05-12T10:43:30.627 回答