尝试对ndarray crate的两个Array1
进行算术运算时遇到问题。
我试图将我的问题简化为以下形式:
#[macro_use(array)]
extern crate ndarray;
use ndarray::Array1;
fn main() {
let a: Array1<i8> = array![1, 2, 3];
let baz = &a - array![1, 2, 3];
println!("{:#?}", baz);
}
它失败并显示:
|
8 | let baz = &a - array![1, 2, 3];
| ^ expected struct `ndarray::ArrayBase`, found i8
|
根据documentation,我应该能够减去两个
Array1
,并且array!
创建一个Array1
。我做错了什么?
最佳答案
我应该更仔细地阅读documentation:
&A @ &A which produces a new Array
B @ A which consumes B, updates it with the result, and returns it
B @ &A which consumes B, updates it with the result, and returns it
C @= &A which performs an arithmetic operation in place
由于某种原因,没有
&A @ B
情况。第二个参数不能使用。要么都不是,要么只有第一个。因为我不想在这里使用a
,所以这就是为什么我需要引用array!
宏的返回值的原因。因此,解决方案是:
let baz = &a - &array![1, 2, 3];
编译器错误在这里并没有真正帮助...