aboutsummaryrefslogtreecommitdiff
path: root/crates/ra_arena/src/map.rs
blob: b73d4e3651b03112f01f5b8e90d182a6fe4c284f (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
//! A map from arena IDs to some other type. Space requirement is O(highest ID).

use std::marker::PhantomData;

use super::ArenaId;

/// A map from arena IDs to some other type. Space requirement is O(highest ID).
#[derive(Debug, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub struct ArenaMap<ID, T> {
    v: Vec<Option<T>>,
    _ty: PhantomData<ID>,
}

impl<ID: ArenaId, T> ArenaMap<ID, T> {
    pub fn insert(&mut self, id: ID, t: T) {
        let idx = Self::to_idx(id);
        if self.v.capacity() <= idx {
            self.v.reserve(idx + 1 - self.v.capacity());
        }
        if self.v.len() <= idx {
            while self.v.len() <= idx {
                self.v.push(None);
            }
        }
        self.v[idx] = Some(t);
    }

    pub fn get(&self, id: ID) -> Option<&T> {
        self.v.get(Self::to_idx(id)).and_then(|it| it.as_ref())
    }

    pub fn get_mut(&mut self, id: ID) -> Option<&mut T> {
        self.v.get_mut(Self::to_idx(id)).and_then(|it| it.as_mut())
    }

    pub fn values(&self) -> impl Iterator<Item = &T> {
        self.v.iter().filter_map(|o| o.as_ref())
    }

    pub fn values_mut(&mut self) -> impl Iterator<Item = &mut T> {
        self.v.iter_mut().filter_map(|o| o.as_mut())
    }

    pub fn iter(&self) -> impl Iterator<Item = (ID, &T)> {
        self.v.iter().enumerate().filter_map(|(idx, o)| Some((Self::from_idx(idx), o.as_ref()?)))
    }

    fn to_idx(id: ID) -> usize {
        u32::from(id.into_raw()) as usize
    }

    fn from_idx(idx: usize) -> ID {
        ID::from_raw((idx as u32).into())
    }
}

impl<ID: ArenaId, T> std::ops::Index<ID> for ArenaMap<ID, T> {
    type Output = T;
    fn index(&self, id: ID) -> &T {
        self.v[Self::to_idx(id)].as_ref().unwrap()
    }
}

impl<ID, T> Default for ArenaMap<ID, T> {
    fn default() -> Self {
        ArenaMap { v: Vec::new(), _ty: PhantomData }
    }
}