mithril_aggregator/database/query/stake_pool/
delete_stake_pool.rs

1use sqlite::Value;
2
3use mithril_common::entities::Epoch;
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
42#[cfg(test)]
43mod tests {
44    use crate::database::query::GetStakePoolQuery;
45    use crate::database::test_helper::{insert_stake_pool, main_db_connection};
46    use mithril_persistence::sqlite::ConnectionExtensions;
47
48    use super::*;
49
50    #[test]
51    fn test_prune_below_epoch_threshold() {
52        let connection = main_db_connection().unwrap();
53        insert_stake_pool(&connection, &[1, 2]).unwrap();
54
55        let cursor = connection
56            .fetch(DeleteStakePoolQuery::below_epoch_threshold(Epoch(2)))
57            .unwrap();
58        assert_eq!(3, cursor.count());
59
60        let cursor = connection
61            .fetch(GetStakePoolQuery::by_epoch(Epoch(1)).unwrap())
62            .unwrap();
63        assert_eq!(0, cursor.count());
64
65        let cursor = connection
66            .fetch(GetStakePoolQuery::by_epoch(Epoch(2)).unwrap())
67            .unwrap();
68        assert_eq!(3, cursor.count());
69    }
70}