twilight_cache_inmemory/
iter.rs

1//! Iterators over the various resources stored in the cache.
2//!
3//! The entry point to the module is [`InMemoryCacheIter`]. It exposes methods
4//! for creating iterators over various resource types, such as
5//! [`InMemoryCacheIter::integrations`] and [`InMemoryCacheIter::voice_states`].
6//!
7//! Creating an iterator returns a [`ResourceIter`]. The iterator implements the
8//! [`std::iter::Iterator`] trait and returns [`IterReference`]s.
9//!
10//! [`IterReference`] exposes two methods: [`IterReference::key`] and
11//! [`IterReference::value`], both returning immutable references to the
12//! underlying key and value. It also implements [`std::ops::Deref`] and
13//! dereferences to the value.
14
15use crate::{CacheableModels, GuildResource, InMemoryCache};
16use dashmap::{iter::Iter, mapref::multiple::RefMulti};
17use std::{hash::Hash, ops::Deref};
18use twilight_model::id::{
19    marker::{
20        ChannelMarker, EmojiMarker, GuildMarker, IntegrationMarker, MessageMarker, RoleMarker,
21        StageMarker, StickerMarker, UserMarker,
22    },
23    Id,
24};
25
26/// Reference to a resource value being iterated over in the cache.
27///
28/// [`std::ops::Deref`] is implemented on this type and derefs to an immutable
29/// reference of the underlying value.
30// We need a separate type from [`Reference`] due to DashMap's iterators
31// returning a different reference type from that of retrieval methods.
32//
33// [`Reference`]: super::Reference
34pub struct IterReference<'a, K, V> {
35    inner: RefMulti<'a, K, V>,
36}
37
38impl<'a, K, V> IterReference<'a, K, V> {
39    /// Create a new iterator element reference.
40    const fn new(inner: RefMulti<'a, K, V>) -> Self {
41        Self { inner }
42    }
43}
44
45impl<K: Eq + Hash, V> IterReference<'_, K, V> {
46    /// Immutable reference to the resource's key.
47    pub fn key(&self) -> &K {
48        self.inner.key()
49    }
50
51    /// Immutable reference to the resource's value.
52    pub fn value(&self) -> &V {
53        self.inner.value()
54    }
55}
56
57impl<K: Eq + Hash, V> Deref for IterReference<'_, K, V> {
58    type Target = V;
59
60    fn deref(&self) -> &Self::Target {
61        self.value()
62    }
63}
64
65/// Interface to create iterators over various resources.
66///
67/// The created iterators will iterate over *all* entities of a resource across
68/// all channels and guilds.
69///
70/// The iteration order of all iterators are arbitrary.
71///
72/// # Examples
73///
74/// Count the number of users in the cache whose username begins with "twi":
75///
76/// ```no_run
77/// use twilight_cache_inmemory::DefaultInMemoryCache;
78///
79/// let cache = DefaultInMemoryCache::new();
80///
81/// // later in the application...
82/// let count = cache
83///     .iter()
84///     .users()
85///     .filter(|user| user.name.starts_with("twi"))
86///     .count();
87///
88/// println!("'twi' users: {count}");
89/// ```
90///
91/// # Potential inefficiency
92///
93/// Resource iterators over the entire cache are inefficient when the goal is to
94/// iterate over a resource in a specific guild. For example, when performing a
95/// task such as iterating over the members of a specific guild, retrieving the
96/// list of members via [`InMemoryCache::guild_members`] and then calling
97/// [`InMemoryCache::member`] for each item is more efficient. That might look
98/// like:
99///
100/// ```no_run
101/// use twilight_cache_inmemory::DefaultInMemoryCache;
102/// use twilight_model::id::Id;
103///
104/// let cache = DefaultInMemoryCache::new();
105///
106/// // later in the application...
107/// let guild_id = Id::new(1);
108/// let maybe_guild_members = cache.guild_members(guild_id);
109///
110/// if let Some(guild_members) = maybe_guild_members {
111///     for user_id in guild_members.iter() {
112///         if let Some(member) = cache.member(guild_id, *user_id) {
113///             println!(
114///                 "member id {}'s nickname: {:?}",
115///                 member.user_id(),
116///                 member.nick(),
117///             );
118///         }
119///     }
120/// }
121/// ```
122#[allow(clippy::type_complexity)]
123#[derive(Debug)]
124pub struct InMemoryCacheIter<'a, CacheModels: CacheableModels>(&'a InMemoryCache<CacheModels>);
125
126impl<'a, CacheModels: CacheableModels> InMemoryCacheIter<'a, CacheModels> {
127    /// Create a new interface to create iterators over various resource types.
128    #[allow(clippy::type_complexity)]
129    pub(super) const fn new(cache: &'a InMemoryCache<CacheModels>) -> Self {
130        Self(cache)
131    }
132
133    /// Immutable reference to the underlying cache.
134    #[allow(clippy::type_complexity)]
135    pub const fn cache_ref(&'a self) -> &'a InMemoryCache<CacheModels> {
136        self.0
137    }
138
139    /// Create an iterator over the channels in the cache.
140    pub fn channels(&self) -> ResourceIter<'a, Id<ChannelMarker>, CacheModels::Channel> {
141        ResourceIter::new(self.0.channels.iter())
142    }
143
144    /// Create an iterator over the emojis in the cache.
145    pub fn emojis(&self) -> ResourceIter<'a, Id<EmojiMarker>, GuildResource<CacheModels::Emoji>> {
146        ResourceIter::new(self.0.emojis.iter())
147    }
148
149    /// Create an iterator over the guilds in the cache.
150    pub fn guilds(&self) -> ResourceIter<'a, Id<GuildMarker>, CacheModels::Guild> {
151        ResourceIter::new(self.0.guilds.iter())
152    }
153
154    /// Create an iterator over the integrations in the cache.
155    #[allow(clippy::type_complexity)]
156    pub fn integrations(
157        &self,
158    ) -> ResourceIter<
159        'a,
160        (Id<GuildMarker>, Id<IntegrationMarker>),
161        GuildResource<CacheModels::GuildIntegration>,
162    > {
163        ResourceIter::new(self.0.integrations.iter())
164    }
165
166    /// Create an iterator over the members across all guilds in the cache.
167    pub fn members(
168        &self,
169    ) -> ResourceIter<'a, (Id<GuildMarker>, Id<UserMarker>), CacheModels::Member> {
170        ResourceIter::new(self.0.members.iter())
171    }
172
173    /// Create an iterator over the messages in the cache.
174    pub fn messages(&self) -> ResourceIter<'a, Id<MessageMarker>, CacheModels::Message> {
175        ResourceIter::new(self.0.messages.iter())
176    }
177
178    /// Create an iterator over the presences in the cache.
179    pub fn presences(
180        &self,
181    ) -> ResourceIter<'a, (Id<GuildMarker>, Id<UserMarker>), CacheModels::Presence> {
182        ResourceIter::new(self.0.presences.iter())
183    }
184
185    /// Create an iterator over the roles in the cache.
186    pub fn roles(&self) -> ResourceIter<'a, Id<RoleMarker>, GuildResource<CacheModels::Role>> {
187        ResourceIter::new(self.0.roles.iter())
188    }
189
190    /// Create an iterator over the stage instances in the cache.
191    pub fn stage_instances(
192        &self,
193    ) -> ResourceIter<'a, Id<StageMarker>, GuildResource<CacheModels::StageInstance>> {
194        ResourceIter::new(self.0.stage_instances.iter())
195    }
196
197    /// Create an iterator over the stickers in the cache.
198    pub fn stickers(
199        &self,
200    ) -> ResourceIter<'a, Id<StickerMarker>, GuildResource<CacheModels::Sticker>> {
201        ResourceIter::new(self.0.stickers.iter())
202    }
203
204    /// Create an iterator over the users in the cache.
205    pub fn users(&self) -> ResourceIter<'a, Id<UserMarker>, CacheModels::User> {
206        ResourceIter::new(self.0.users.iter())
207    }
208
209    /// Create an iterator over the voice states in the cache.
210    pub fn voice_states(
211        &self,
212    ) -> ResourceIter<'a, (Id<GuildMarker>, Id<UserMarker>), CacheModels::VoiceState> {
213        ResourceIter::new(self.0.voice_states.iter())
214    }
215}
216
217/// Generic iterator over key-value pairs of a resource.
218///
219/// The iteration order is arbitrary.
220///
221/// # Examples
222///
223/// Count how many users across all guilds are pending:
224///
225/// ```no_run
226/// use twilight_cache_inmemory::DefaultInMemoryCache;
227///
228/// let cache = DefaultInMemoryCache::new();
229///
230/// // later in the application...
231/// let count = cache
232///     .iter()
233///     .members()
234///     .filter(|member| member.pending())
235///     .count();
236///
237/// println!("pending users: {count}");
238/// ```
239pub struct ResourceIter<'a, K, V> {
240    iter: Iter<'a, K, V>,
241}
242
243impl<'a, K, V> ResourceIter<'a, K, V> {
244    /// Create a new iterator over a resource.
245    pub(super) const fn new(iter: Iter<'a, K, V>) -> Self {
246        Self { iter }
247    }
248}
249
250impl<'a, K: Eq + Hash, V> Iterator for ResourceIter<'a, K, V> {
251    type Item = IterReference<'a, K, V>;
252
253    fn next(&mut self) -> Option<Self::Item> {
254        self.iter.next().map(IterReference::new)
255    }
256}
257
258#[cfg(test)]
259mod tests {
260    use super::{InMemoryCacheIter, IterReference, ResourceIter};
261    use crate::{test, DefaultCacheModels, DefaultInMemoryCache};
262    use static_assertions::assert_impl_all;
263    use std::{borrow::Cow, fmt::Debug};
264    use twilight_model::{
265        id::{marker::UserMarker, Id},
266        user::User,
267    };
268
269    assert_impl_all!(InMemoryCacheIter<'_, DefaultCacheModels>: Debug, Send, Sync);
270    assert_impl_all!(IterReference<'_, Id<UserMarker>, User>: Send, Sync);
271    assert_impl_all!(ResourceIter<'_, Id<UserMarker>, User>: Iterator, Send, Sync);
272
273    #[test]
274    fn iter() {
275        let guild_id = Id::new(1);
276        let users = &[
277            (Id::new(2), Some(guild_id)),
278            (Id::new(3), Some(guild_id)),
279            (Id::new(4), None),
280        ];
281        let cache = DefaultInMemoryCache::new();
282
283        for (user_id, maybe_guild_id) in users {
284            cache.cache_user(Cow::Owned(test::user(*user_id)), *maybe_guild_id);
285        }
286
287        let mut actual = cache.iter().users().map(|user| user.id).collect::<Vec<_>>();
288        actual.sort_unstable();
289
290        let expected = users.iter().map(|(id, _)| *id).collect::<Vec<_>>();
291
292        assert_eq!(actual, expected);
293    }
294}