我自己有一个小问题:
extern crate rayon;
use rayon::prelude::*;
#[derive(Debug)]
struct Pixel {
r: Vec<i8>,
g: Vec<i8>,
b: Vec<i8>,
}
#[derive(Debug)]
struct Node{
r: i8,
g: i8,
b: i8,
}
struct PixelIterator<'a> {
pixel: &'a Pixel,
index: usize,
}
impl<'a> IntoIterator for &'a Pixel {
type Item = Node;
type IntoIter = PixelIterator<'a>;
fn into_iter(self) -> Self::IntoIter {
println!("Into &");
PixelIterator { pixel: self, index: 0 }
}
}
impl<'a> Iterator for PixelIterator<'a> {
type Item = Node;
fn next(&mut self) -> Option<Node> {
println!("next &");
let result = match self.index {
0 | 1 | 2 | 3 => Node {
r: self.pixel.r[self.index],
g: self.pixel.g[self.index],
b: self.pixel.b[self.index],
},
_ => return None,
};
self.index += 1;
Some(result)
}
}
impl ParallelSlice<Node> for Pixel {
fn as_parallel_slice(&self) -> &[Node] {
// ??
}
}
fn main() {
let p1 = Pixel {
r: vec![11, 21, 31, 41],
g: vec![12, 22, 32, 42],
b: vec![13, 23, 33, 43],
};
p1.par_chunks(2).enumerate().for_each(|(index, chnk)| {
for (cindex, i) in chnk.into_iter().enumerate(){
println!("{:?}, {:?}", (index*2)+cindex, i);
}
});
}
基本上我想使用人造丝的per_chunk
功能,它要求我必须实现ParallelSlice
trait。我想知道应该在as_parallel_slice
函数中输入什么,以便我可以得到输出(顺序无关紧要):
0 Node { 11, 12, 13}
1 Node { 21, 22, 23}
2 Node { 31, 32, 33}
3 Node { 41, 42, 43}
另一个愚蠢的问题是as_parallel_slice
限制 Trait 返回一个切片,根据我在这种情况下的理解,我需要事先获得完整的数据吗?由于我正在处理 DNA 序列(可能是大量数据),我想我应该回退到使用横梁和迭代器,而不是通过人造丝进行基于切片的并行化,或者它们是做同样事情的更好方法吗?