关于向量:如何将 Vec<Vec<f64>> 转换为字符串

How to convert a Vec<Vec<f64>> into a string

我是 Rust 的新手,我正在为一项简单的任务而苦苦挣扎。我想将矩阵转换为字符串,字段由制表符分隔。我认为这可以通过使用 map 函数或类似的东西来实现,但现在无论我尝试什么都会给我一个错误。

这就是我所拥有的,我想将 col 部分转换为函数,它返回一个制表符分隔的字符串,我可以打印它。
在 Python 中,这类似于 row.join("\\t")。 Rust 中是否有类似的东西?

1
2
3
4
5
6
7
8
9
fn print_matrix(vec: &Vec<Vec<f64>>) {
    for row in vec.iter() {
        for col in row.iter() {
           print!("\\t{:?}",col);
        }
        println!("\
");
    }
}


标准库中确实有一个join,但它不是超级有用(通常需要额外分配)。但是你可以在这里看到一个解决方案:

1
2
3
4
5
6
7
fn print_matrix(vec: &Vec<Vec<f64>>) {
    for row in vec {
        let cols_str: Vec<_> = row.iter().map(ToString::to_string).collect();
        let line = cols_str.join("\\t");
        println!("{}", line);
    }
}

问题是这个 join 与切片而不是迭代器一起工作。我们必须先将所有元素转换为字符串,然后将结果收集到一个新向量中,然后才能使用 join

板条箱 itertools 为迭代器定义了一个 join 方法,可以像这样应用:

1
2
3
4
for row in vec {
    let line = row.iter().join("\\t");
    println!("{}", line);
}

为了避免使用任何命名的功能,您当然可以手动操作:

1
2
3
4
5
6
7
8
9
for row in vec {
    if let Some(first) = row.get(0) {
        print!("{}", first);            
    }
    for col in row.iter().skip(1) {
        print!("\\t{}", col);
    }
    println!("");
}


除了 itertools 中的 join 你总是可以在迭代器上使用 fold (这真的很有用),像这样:

1
row.iter().fold("", |tab, col| { print!("{}{:?}", tab, col);"\\t" });