spin_plugins/
lookup.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
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
use crate::{error::*, git::GitSource, manifest::PluginManifest, store::manifest_file_name};
use semver::Version;
use std::{
    fs::File,
    path::{Path, PathBuf},
};
use url::Url;

// Name of directory that contains the cloned centralized Spin plugins
// repository
const PLUGINS_REPO_LOCAL_DIRECTORY: &str = ".spin-plugins";

// Name of directory containing the installed manifests
pub(crate) const PLUGINS_REPO_MANIFESTS_DIRECTORY: &str = "manifests";

pub(crate) const SPIN_PLUGINS_REPO: &str = "https://github.com/fermyon/spin-plugins/";

/// Looks up plugin manifests in centralized spin plugin repository.
pub struct PluginLookup {
    pub name: String,
    pub version: Option<Version>,
}

impl PluginLookup {
    pub fn new(name: &str, version: Option<Version>) -> Self {
        Self {
            name: name.to_lowercase(),
            version,
        }
    }

    pub async fn resolve_manifest(
        &self,
        plugins_dir: &Path,
        skip_compatibility_check: bool,
        spin_version: &str,
    ) -> PluginLookupResult<PluginManifest> {
        let exact = self.resolve_manifest_exact(plugins_dir).await?;
        if skip_compatibility_check
            || self.version.is_some()
            || exact.is_compatible_spin_version(spin_version)
        {
            return Ok(exact);
        }

        let store = crate::store::PluginStore::new(plugins_dir.to_owned());

        // TODO: This is very similar to some logic in the badger module - look for consolidation opportunities.
        let manifests = store.catalogue_manifests()?;
        let relevant_manifests = manifests.into_iter().filter(|m| m.name() == self.name);
        let compatible_manifests = relevant_manifests
            .filter(|m| m.has_compatible_package() && m.is_compatible_spin_version(spin_version));
        let highest_compatible_manifest =
            compatible_manifests.max_by_key(|m| m.try_version().unwrap_or_else(|_| null_version()));

        Ok(highest_compatible_manifest.unwrap_or(exact))
    }

    pub async fn resolve_manifest_exact(
        &self,
        plugins_dir: &Path,
    ) -> PluginLookupResult<PluginManifest> {
        let url = plugins_repo_url()?;
        tracing::info!("Pulling manifest for plugin {} from {url}", self.name);
        fetch_plugins_repo(&url, plugins_dir, false)
            .await
            .map_err(|e| {
                Error::ConnectionFailed(ConnectionFailedError::new(url.to_string(), e.to_string()))
            })?;

        self.resolve_manifest_exact_from_good_repo(plugins_dir)
    }

    // This is split from resolve_manifest_exact because it may recurse (once) and that makes
    // Rust async sad. So we move the potential recursion to a sync helper.
    #[allow(clippy::let_and_return)]
    pub fn resolve_manifest_exact_from_good_repo(
        &self,
        plugins_dir: &Path,
    ) -> PluginLookupResult<PluginManifest> {
        let expected_path = spin_plugins_repo_manifest_path(&self.name, &self.version, plugins_dir);

        let not_found = |e: std::io::Error| {
            Err(Error::NotFound(NotFoundError::new(
                Some(self.name.clone()),
                expected_path.display().to_string(),
                e.to_string(),
            )))
        };

        let manifest = match File::open(&expected_path) {
            Ok(file) => serde_json::from_reader(file).map_err(|e| {
                Error::InvalidManifest(InvalidManifestError::new(
                    Some(self.name.clone()),
                    expected_path.display().to_string(),
                    e.to_string(),
                ))
            }),
            Err(e) if e.kind() == std::io::ErrorKind::NotFound && self.version.is_some() => {
                // If a user has asked for a version by number, and the path doesn't exist,
                // it _might_ be because it's the latest version. This checks for that case.
                let latest = Self::new(&self.name, None);
                match latest.resolve_manifest_exact_from_good_repo(plugins_dir) {
                    Ok(manifest) if manifest.try_version().ok() == self.version => Ok(manifest),
                    _ => not_found(e),
                }
            }
            Err(e) => not_found(e),
        };

        manifest
    }
}

pub fn plugins_repo_url() -> Result<Url, url::ParseError> {
    Url::parse(SPIN_PLUGINS_REPO)
}

#[cfg(not(test))]
fn accept_as_repo(git_root: &Path) -> bool {
    git_root.join(".git").exists()
}

#[cfg(test)]
fn accept_as_repo(git_root: &Path) -> bool {
    git_root.join(".git").exists() || git_root.join("_spin_test_dot_git").exists()
}

pub async fn fetch_plugins_repo(
    repo_url: &Url,
    plugins_dir: &Path,
    update: bool,
) -> anyhow::Result<()> {
    let git_root = plugin_manifests_repo_path(plugins_dir);
    let git_source = GitSource::new(repo_url, None, &git_root);
    if accept_as_repo(&git_root) {
        if update {
            git_source.pull().await?;
        }
    } else {
        git_source.clone_repo().await?;
    }
    Ok(())
}

fn plugin_manifests_repo_path(plugins_dir: &Path) -> PathBuf {
    plugins_dir.join(PLUGINS_REPO_LOCAL_DIRECTORY)
}

// Given a name and option version, outputs expected file name for the plugin.
fn manifest_file_name_version(plugin_name: &str, version: &Option<semver::Version>) -> String {
    match version {
        Some(v) => format!("{}@{}.json", plugin_name, v),
        None => manifest_file_name(plugin_name),
    }
}

/// Get expected path to the manifest of a plugin with a given name
/// and version within the spin-plugins repository
fn spin_plugins_repo_manifest_path(
    plugin_name: &str,
    plugin_version: &Option<Version>,
    plugins_dir: &Path,
) -> PathBuf {
    spin_plugins_repo_manifest_dir(plugins_dir)
        .join(plugin_name)
        .join(manifest_file_name_version(plugin_name, plugin_version))
}

pub fn spin_plugins_repo_manifest_dir(plugins_dir: &Path) -> PathBuf {
    plugins_dir
        .join(PLUGINS_REPO_LOCAL_DIRECTORY)
        .join(PLUGINS_REPO_MANIFESTS_DIRECTORY)
}

fn null_version() -> semver::Version {
    semver::Version::new(0, 0, 0)
}

#[cfg(test)]
mod tests {
    use super::*;

    const TEST_NAME: &str = "some-spin-ver-some-not";
    const TESTS_STORE_DIR: &str = "tests";

    fn tests_store_dir() -> PathBuf {
        PathBuf::from(env!("CARGO_MANIFEST_DIR")).join(TESTS_STORE_DIR)
    }

    #[tokio::test]
    async fn if_no_version_given_and_latest_is_compatible_then_latest() -> PluginLookupResult<()> {
        let lookup = PluginLookup::new(TEST_NAME, None);
        let resolved = lookup
            .resolve_manifest(&tests_store_dir(), false, "99.0.0")
            .await?;
        assert_eq!("99.0.1", resolved.version);
        Ok(())
    }

    #[tokio::test]
    async fn if_no_version_given_and_latest_is_not_compatible_then_highest_compatible(
    ) -> PluginLookupResult<()> {
        // NOTE: The setup assumes you are NOT running Windows on aarch64, so as to check 98.1.0 is not
        // offered. If that assumption fails then this test will fail with actual version being 98.1.0.
        // (We use this combination because the OS and architecture enums don't allow for fake operating systems!)
        let lookup = PluginLookup::new(TEST_NAME, None);
        let resolved = lookup
            .resolve_manifest(&tests_store_dir(), false, "98.0.0")
            .await?;
        assert_eq!("98.0.0", resolved.version);
        Ok(())
    }

    #[tokio::test]
    async fn if_version_given_it_gets_used_regardless() -> PluginLookupResult<()> {
        let lookup = PluginLookup::new(TEST_NAME, Some(semver::Version::parse("99.0.0").unwrap()));
        let resolved = lookup
            .resolve_manifest(&tests_store_dir(), false, "98.0.0")
            .await?;
        assert_eq!("99.0.0", resolved.version);
        Ok(())
    }

    #[tokio::test]
    async fn if_latest_version_given_it_gets_used_regardless() -> PluginLookupResult<()> {
        let lookup = PluginLookup::new(TEST_NAME, Some(semver::Version::parse("99.0.1").unwrap()));
        let resolved = lookup
            .resolve_manifest(&tests_store_dir(), false, "98.0.0")
            .await?;
        assert_eq!("99.0.1", resolved.version);
        Ok(())
    }

    #[tokio::test]
    async fn if_no_version_given_but_skip_compat_then_highest() -> PluginLookupResult<()> {
        let lookup = PluginLookup::new(TEST_NAME, None);
        let resolved = lookup
            .resolve_manifest(&tests_store_dir(), true, "98.0.0")
            .await?;
        assert_eq!("99.0.1", resolved.version);
        Ok(())
    }

    #[tokio::test]
    async fn if_non_existent_version_given_then_error() -> PluginLookupResult<()> {
        let lookup = PluginLookup::new(TEST_NAME, Some(semver::Version::parse("177.7.7").unwrap()));
        lookup
            .resolve_manifest(&tests_store_dir(), true, "99.0.0")
            .await
            .expect_err("Should have errored because plugin v177.7.7 does not exist");
        Ok(())
    }
}