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
69
70
71
72
73
74
75
76
77
78
79
80
81
82
use revolt_result::Result;

use crate::ReferenceDb;
use crate::{Bot, FieldsBot, PartialBot};

use super::AbstractBots;

#[async_trait]
impl AbstractBots for ReferenceDb {
    /// Insert new bot into the database
    async fn insert_bot(&self, bot: &Bot) -> Result<()> {
        let mut bots = self.bots.lock().await;
        if bots.contains_key(&bot.id) {
            Err(create_database_error!("insert", "bot"))
        } else {
            bots.insert(bot.id.to_string(), bot.clone());
            Ok(())
        }
    }

    /// Fetch a bot by its id
    async fn fetch_bot(&self, id: &str) -> Result<Bot> {
        let bots = self.bots.lock().await;
        bots.get(id).cloned().ok_or_else(|| create_error!(NotFound))
    }

    /// Fetch a bot by its token
    async fn fetch_bot_by_token(&self, token: &str) -> Result<Bot> {
        let bots = self.bots.lock().await;
        bots.values()
            .find(|bot| bot.token == token)
            .cloned()
            .ok_or_else(|| create_error!(NotFound))
    }

    /// Fetch bots owned by a user
    async fn fetch_bots_by_user(&self, user_id: &str) -> Result<Vec<Bot>> {
        let bots = self.bots.lock().await;
        Ok(bots
            .values()
            .filter(|bot| bot.owner == user_id)
            .cloned()
            .collect())
    }

    /// Get the number of bots owned by a user
    async fn get_number_of_bots_by_user(&self, user_id: &str) -> Result<usize> {
        let bots = self.bots.lock().await;
        Ok(bots.values().filter(|bot| bot.owner == user_id).count())
    }

    /// Update bot with new information
    async fn update_bot(
        &self,
        id: &str,
        partial: &PartialBot,
        remove: Vec<FieldsBot>,
    ) -> Result<()> {
        let mut bots = self.bots.lock().await;
        if let Some(bot) = bots.get_mut(id) {
            for field in remove {
                #[allow(clippy::disallowed_methods)]
                bot.remove_field(&field);
            }

            bot.apply_options(partial.clone());
            Ok(())
        } else {
            Err(create_error!(NotFound))
        }
    }

    /// Delete a bot from the database
    async fn delete_bot(&self, id: &str) -> Result<()> {
        let mut bots = self.bots.lock().await;
        if bots.remove(id).is_some() {
            Ok(())
        } else {
            Err(create_error!(NotFound))
        }
    }
}