如何保留向量元素的原始索引?

时间:2020-01-05 17:04:46

标签: rust vec

如果我有Vec,则可以通过v.iter().enumerate()使用索引对元素进行迭代,也可以通过v.retain()删除元素。有没有办法同时做这两项?

在这种情况下,索引不能再用于访问元素-它将是循环开始前元素的索引。

我可以自己实现此功能,但要达到.retain()的效率,就需要使用unsafe,我想避免这种情况。

这是我想要的结果:

let mut v: Vec<i32> = vec![1, 2, 3, 4, 5, 4, 7, 8];

v.iter()
    .retain_with_index(|(index, item)| (index % 2 == 0) || item == 4);

assert(v == vec![1, 3, 4, 5, 4, 7]);

3 个答案:

答案 0 :(得分:1)

我基本上发现了the same question on the Rust User's Forum。他们提出了这种解决方案,效果还不错:

let mut index = 0;
v.retain(|item| {
    index += 1;
    ((index - 1) % 2 == 0) || item == 4
});

当时这不是一个有效的解决方案,因为无法保证retain()的迭代顺序,但是我很高兴那个线程中的某个人记录了该顺序,现在是这样。 :-)

答案 1 :(得分:1)

@Timmmm@Hauleth的答案非常实用,我想提供一些替代方法。

这是一个带有一些基准测试的操场: https://play.rust-lang.org/?version=nightly&mode=debug&edition=2018&gist=cffc3c39c4b33d981a1a034f3a092e7b

这很丑陋,但是如果您真的想要v.retain_with_index()方法,则可以对retain方法进行一些新特性的粘贴粘贴:

trait IndexedRetain<T> {
    fn retain_with_index<F>(&mut self, f: F)
    where
        F: FnMut(usize, &T) -> bool;
}

impl<T> IndexedRetain<T> for Vec<T> {
    fn retain_with_index<F>(&mut self, mut f: F)
    where
        F: FnMut(usize, &T) -> bool, // the signature of the callback changes
    {
        let len = self.len();
        let mut del = 0;
        {
            let v = &mut **self;

            for i in 0..len {
                // only implementation change here
                if !f(i, &v[i]) {
                    del += 1;
                } else if del > 0 {
                    v.swap(i - del, i);
                }
            }
        }
        if del > 0 {
            self.truncate(len - del);
        }
    }
}

使示例如下所示:

v.retain_with_index(|index, item| (index % 2 == 0) || item == 4);

或者...更好的是,您可以使用高阶函数:

fn with_index<T, F>(mut f: F) -> impl FnMut(&T) -> bool
where
    F: FnMut(usize, &T) -> bool,
{
    let mut i = 0;
    move |item| (f(i, item), i += 1).0
}

使该示例现在看起来像这样:

v.retain(with_index(|index, item| (index % 2 == 0) || item == 4));

(我的偏好是后者)

答案 2 :(得分:0)

如果要枚举,请过滤(保留),然后收集生成的向量,然后我要说完全做到这一点:

v.iter()
    .enumerate()
    .filter(|&(idx, &val)| val - idx > 0)
    .collect()