mithril_signer/database/query/stake_pool/
delete_stake_pool.rs

1use sqlite::Value;
2
3use mithril_common::{entities::Epoch, StdResult};
4use mithril_persistence::sqlite::{Query, SourceAlias, SqLiteEntity, WhereCondition};
5
6use crate::database::record::StakePool;
7
8/// Query to delete old [StakePool] from the sqlite database
9pub struct DeleteStakePoolQuery {
10    condition: WhereCondition,
11}
12
13impl Query for DeleteStakePoolQuery {
14    type Entity = StakePool;
15
16    fn filters(&self) -> WhereCondition {
17        self.condition.clone()
18    }
19
20    fn get_definition(&self, condition: &str) -> String {
21        // it is important to alias the fields with the same name as the table
22        // since the table cannot be aliased in a RETURNING statement in SQLite.
23        let projection = Self::Entity::get_projection()
24            .expand(SourceAlias::new(&[("{:stake_pool:}", "stake_pool")]));
25
26        format!("delete from stake_pool where {condition} returning {projection}")
27    }
28}
29
30impl DeleteStakePoolQuery {
31    /// Create the SQL query to prune data older than the given Epoch.
32    pub fn below_epoch_threshold(epoch_threshold: Epoch) -> Self {
33        let condition = WhereCondition::new(
34            "epoch < ?*",
35            vec![Value::Integer(epoch_threshold.try_into().unwrap())],
36        );
37
38        Self { condition }
39    }
40
41    /// Create the SQL query to delete the given Epoch.
42    pub fn by_epoch(epoch: Epoch) -> StdResult<Self> {
43        let condition = WhereCondition::new("epoch = ?*", vec![Value::Integer(epoch.try_into()?)]);
44
45        Ok(Self { condition })
46    }
47}
48
49#[cfg(test)]
50mod tests {
51    use crate::database::query::GetStakePoolQuery;
52    use crate::database::test_helper::{insert_stake_pool, main_db_connection};
53    use mithril_persistence::sqlite::ConnectionExtensions;
54
55    use super::*;
56
57    #[test]
58    fn test_prune_below_epoch_threshold() {
59        let connection = main_db_connection().unwrap();
60        insert_stake_pool(&connection, &[1, 2]).unwrap();
61
62        let cursor = connection
63            .fetch(DeleteStakePoolQuery::below_epoch_threshold(Epoch(2)))
64            .unwrap();
65        assert_eq!(3, cursor.count());
66
67        let cursor = connection
68            .fetch(GetStakePoolQuery::by_epoch(Epoch(1)).unwrap())
69            .unwrap();
70        assert_eq!(0, cursor.count());
71
72        let cursor = connection
73            .fetch(GetStakePoolQuery::by_epoch(Epoch(2)).unwrap())
74            .unwrap();
75        assert_eq!(3, cursor.count());
76    }
77}