spin_trigger/cli/
sqlite_statements.rs

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
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
use anyhow::Context as _;
use spin_core::async_trait;
use spin_factor_sqlite::SqliteFactor;
use spin_factors::RuntimeFactors;
use spin_factors_executor::ExecutorHooks;

/// The default sqlite label
const DEFAULT_SQLITE_LABEL: &str = "default";

/// ExecutorHook for executing sqlite statements.
///
/// This executor assumes that the configured app has access to `SqliteFactor`.
/// It will silently ignore the hook if the app does not have access to `SqliteFactor`.
pub struct SqlStatementExecutorHook {
    sql_statements: Vec<String>,
}

impl SqlStatementExecutorHook {
    /// Creates a new SqlStatementExecutorHook
    ///
    /// The statements can be either a list of raw SQL statements or a list of `@{file:label}` statements.
    pub fn new(sql_statements: Vec<String>) -> Self {
        Self { sql_statements }
    }

    /// Executes the sql statements.
    pub async fn execute(&self, sqlite: &spin_factor_sqlite::AppState) -> anyhow::Result<()> {
        if self.sql_statements.is_empty() {
            return Ok(());
        }
        let get_database = |label| async move {
            sqlite
                .get_connection(label)
                .await
                .transpose()
                .with_context(|| format!("failed connect to database with label '{label}'"))
        };

        for statement in &self.sql_statements {
            if let Some(config) = statement.strip_prefix('@') {
                let (file, label) = parse_file_and_label(config)?;
                let database = get_database(label).await?.with_context(|| {
                    format!(
                        "based on the '@{config}' a registered database named '{label}' was expected but not found."
                    )
                })?;
                let sql = std::fs::read_to_string(file).with_context(|| {
                    format!("could not read file '{file}' containing sql statements")
                })?;
                database.execute_batch(&sql).await.with_context(|| {
                    format!("failed to execute sql against database '{label}' from file '{file}'")
                })?;
            } else {
                let Some(default) = get_database(DEFAULT_SQLITE_LABEL).await? else {
                    debug_assert!(false, "the '{DEFAULT_SQLITE_LABEL}' sqlite database should always be available but for some reason was not");
                    return Ok(());
                };
                default
                    .query(statement, Vec::new())
                    .await
                    .with_context(|| format!("failed to execute following sql statement against default database: '{statement}'"))?;
            }
        }
        Ok(())
    }
}

#[async_trait]
impl<F, U> ExecutorHooks<F, U> for SqlStatementExecutorHook
where
    F: RuntimeFactors,
{
    async fn configure_app(
        &self,
        configured_app: &spin_factors::ConfiguredApp<F>,
    ) -> anyhow::Result<()> {
        let Some(sqlite) = configured_app.app_state::<SqliteFactor>().ok() else {
            return Ok(());
        };
        self.execute(sqlite).await?;
        Ok(())
    }
}

/// Parses a @{file:label} sqlite statement
fn parse_file_and_label(config: &str) -> anyhow::Result<(&str, &str)> {
    let config = config.trim();
    if config.is_empty() {
        anyhow::bail!("database configuration is empty in the '@{config}' sqlite statement");
    }
    let (file, label) = match config.split_once(':') {
        Some((_, label)) if label.trim().is_empty() => {
            anyhow::bail!("database label is empty in the '@{config}' sqlite statement")
        }
        Some((file, _)) if file.trim().is_empty() => {
            anyhow::bail!("file path is empty in the '@{config}' sqlite statement")
        }
        Some((file, label)) => (file.trim(), label.trim()),
        None => (config, "default"),
    };
    Ok((file, label))
}

#[cfg(test)]
mod tests {
    use std::collections::HashMap;
    use std::sync::Arc;
    use std::{collections::VecDeque, sync::mpsc::Sender};

    use spin_core::async_trait;
    use spin_factor_sqlite::{Connection, ConnectionCreator};
    use spin_world::v2::sqlite as v2;
    use tempfile::NamedTempFile;

    use super::*;

    #[test]
    fn test_parse_file_and_label() {
        assert_eq!(
            parse_file_and_label("file:label").unwrap(),
            ("file", "label")
        );
        assert!(parse_file_and_label("file:").is_err());
        assert_eq!(parse_file_and_label("file").unwrap(), ("file", "default"));
        assert!(parse_file_and_label(":label").is_err());
        assert!(parse_file_and_label("").is_err());
    }

    #[tokio::test]
    async fn test_execute() {
        let sqlite_file = NamedTempFile::new().unwrap();
        std::fs::write(&sqlite_file, "select 2;").unwrap();

        let hook = SqlStatementExecutorHook::new(vec![
            "SELECT 1;".to_string(),
            format!("@{path}:label", path = sqlite_file.path().display()),
        ]);
        let (tx, rx) = std::sync::mpsc::channel();
        let creator = Arc::new(MockCreator { tx });
        let mut connection_creators = HashMap::new();
        connection_creators.insert(
            "default".into(),
            creator.clone() as Arc<dyn ConnectionCreator>,
        );
        connection_creators.insert("label".into(), creator);
        let sqlite = spin_factor_sqlite::AppState::new(Default::default(), connection_creators);
        let result = hook.execute(&sqlite).await;
        assert!(result.is_ok());

        let mut expected: VecDeque<Action> = vec![
            Action::CreateConnection("default".to_string()),
            Action::Query("SELECT 1;".to_string()),
            Action::CreateConnection("label".to_string()),
            Action::Execute("select 2;".to_string()),
        ]
        .into_iter()
        .collect();
        while let Ok(action) = rx.try_recv() {
            assert_eq!(action, expected.pop_front().unwrap(), "unexpected action");
        }

        assert!(
            expected.is_empty(),
            "Expected actions were never seen: {:?}",
            expected
        );
    }

    struct MockCreator {
        tx: Sender<Action>,
    }

    impl MockCreator {
        fn push(&self, label: &str) {
            self.tx
                .send(Action::CreateConnection(label.to_string()))
                .unwrap();
        }
    }

    #[async_trait]
    impl ConnectionCreator for MockCreator {
        async fn create_connection(
            &self,
            label: &str,
        ) -> Result<Box<dyn Connection + 'static>, v2::Error> {
            self.push(label);
            Ok(Box::new(MockConnection {
                tx: self.tx.clone(),
            }))
        }
    }

    struct MockConnection {
        tx: Sender<Action>,
    }

    #[async_trait]
    impl Connection for MockConnection {
        async fn query(
            &self,
            query: &str,
            parameters: Vec<v2::Value>,
        ) -> Result<v2::QueryResult, v2::Error> {
            self.tx.send(Action::Query(query.to_string())).unwrap();
            let _ = parameters;
            Ok(v2::QueryResult {
                columns: Vec::new(),
                rows: Vec::new(),
            })
        }

        async fn execute_batch(&self, statements: &str) -> anyhow::Result<()> {
            self.tx
                .send(Action::Execute(statements.to_string()))
                .unwrap();
            Ok(())
        }
    }

    #[derive(Debug, PartialEq)]
    enum Action {
        CreateConnection(String),
        Query(String),
        Execute(String),
    }
}