mithril_client_cli/utils/
cardano_db_download_checker.rs

1use std::{
2    fs,
3    ops::Not,
4    path::{Path, PathBuf},
5};
6
7use anyhow::Context;
8use human_bytes::human_bytes;
9use thiserror::Error;
10
11use mithril_client::{common::CompressionAlgorithm, MithrilError, MithrilResult};
12
13/// Checks to apply before downloading a Cardano Db archive to a given directory.
14pub struct CardanoDbDownloadChecker;
15
16/// Errors tied with the [CardanoDbDownloadChecker].
17#[derive(Debug, Error)]
18pub enum CardanoDbDownloadCheckerError {
19    /// Not enough space on the disk. There should be at least the ratio given for the
20    /// used algorithm (see [CompressionAlgorithm::free_space_snapshot_ratio]) times
21    /// the size of the archive to download to ensure it could be unpacked safely.
22    #[error("There is only {} remaining in directory '{}' to store and unpack a {} large archive.", human_bytes(*left_space), pathdir.display(), human_bytes(*archive_size))]
23    NotEnoughSpaceForArchive {
24        /// Left space on device
25        left_space: f64,
26
27        /// Specified location
28        pathdir: PathBuf,
29
30        /// Packed cardano db size
31        archive_size: f64,
32    },
33
34    /// Not enough space on the disk. There should be at least the size of the uncompressed Cardano database.
35    #[error("There is only {} remaining in directory '{}' to store and unpack a {} Cardano database.", human_bytes(*left_space), pathdir.display(), human_bytes(*db_size))]
36    NotEnoughSpaceForUncompressedData {
37        /// Left space on device
38        left_space: f64,
39
40        /// Specified location
41        pathdir: PathBuf,
42
43        /// Uncompressed cardano db size
44        db_size: f64,
45    },
46
47    /// The directory where the files from cardano db are expanded is not empty.
48    /// An error is raised to let the user handle what it wants to do with those
49    /// files.
50    #[error("Unpack directory '{0}' is not empty, please clean up its content.")]
51    UnpackDirectoryNotEmpty(PathBuf),
52
53    /// Cannot write in the given directory.
54    #[error("Unpack directory '{0}' is not writable, please check own or parents' permissions and ownership.")]
55    UnpackDirectoryIsNotWritable(PathBuf, #[source] MithrilError),
56}
57
58impl CardanoDbDownloadChecker {
59    /// Ensure that the given path exist, create it otherwise
60    pub fn ensure_dir_exist(pathdir: &Path) -> MithrilResult<()> {
61        if pathdir.exists().not() {
62            fs::create_dir_all(pathdir).map_err(|e| {
63                CardanoDbDownloadCheckerError::UnpackDirectoryIsNotWritable(
64                    pathdir.to_owned(),
65                    e.into(),
66                )
67            })?;
68        }
69
70        Ok(())
71    }
72
73    /// Check all prerequisites are met before starting to download and unpack
74    /// big cardano db archive.
75    pub fn check_prerequisites_for_archive(
76        pathdir: &Path,
77        size: u64,
78        compression_algorithm: CompressionAlgorithm,
79    ) -> MithrilResult<()> {
80        Self::check_path_is_an_empty_dir(pathdir)?;
81        Self::check_dir_writable(pathdir)?;
82        Self::check_disk_space_for_archive(pathdir, size, compression_algorithm)
83    }
84
85    /// Check all prerequisites are met before starting to download and unpack cardano db archives.
86    pub fn check_prerequisites_for_uncompressed_data(
87        pathdir: &Path,
88        total_size_uncompressed: u64,
89        allow_override: bool,
90    ) -> MithrilResult<()> {
91        if !allow_override {
92            Self::check_path_is_an_empty_dir(pathdir)?;
93        }
94        Self::check_dir_writable(pathdir)?;
95        Self::check_disk_space_for_uncompressed_data(pathdir, total_size_uncompressed)
96    }
97
98    fn check_path_is_an_empty_dir(pathdir: &Path) -> MithrilResult<()> {
99        if pathdir.is_dir().not() {
100            anyhow::bail!("Given path is not a directory: {}", pathdir.display());
101        }
102
103        if fs::read_dir(pathdir)
104            .with_context(|| {
105                format!(
106                    "Could not list directory `{}` to check if it's empty",
107                    pathdir.display()
108                )
109            })?
110            .next()
111            .is_some()
112        {
113            return Err(
114                CardanoDbDownloadCheckerError::UnpackDirectoryNotEmpty(pathdir.to_owned()).into(),
115            );
116        }
117
118        Ok(())
119    }
120
121    fn check_dir_writable(pathdir: &Path) -> MithrilResult<()> {
122        // Check if the directory is writable by creating a temporary file
123        let temp_file_path = pathdir.join("temp_file");
124        fs::File::create(&temp_file_path).map_err(|e| {
125            CardanoDbDownloadCheckerError::UnpackDirectoryIsNotWritable(
126                pathdir.to_owned(),
127                e.into(),
128            )
129        })?;
130
131        // Delete the temporary file
132        fs::remove_file(temp_file_path).map_err(|e| {
133            CardanoDbDownloadCheckerError::UnpackDirectoryIsNotWritable(
134                pathdir.to_owned(),
135                e.into(),
136            )
137        })?;
138
139        Ok(())
140    }
141
142    fn check_disk_space_for_archive(
143        pathdir: &Path,
144        size: u64,
145        compression_algorithm: CompressionAlgorithm,
146    ) -> MithrilResult<()> {
147        let free_space = fs2::available_space(pathdir)? as f64;
148        if free_space < compression_algorithm.free_space_snapshot_ratio() * size as f64 {
149            return Err(CardanoDbDownloadCheckerError::NotEnoughSpaceForArchive {
150                left_space: free_space,
151                pathdir: pathdir.to_owned(),
152                archive_size: size as f64,
153            }
154            .into());
155        }
156        Ok(())
157    }
158
159    fn check_disk_space_for_uncompressed_data(pathdir: &Path, size: u64) -> MithrilResult<()> {
160        let free_space = fs2::available_space(pathdir)?;
161        if free_space < size {
162            return Err(
163                CardanoDbDownloadCheckerError::NotEnoughSpaceForUncompressedData {
164                    left_space: free_space as f64,
165                    pathdir: pathdir.to_owned(),
166                    db_size: size as f64,
167                }
168                .into(),
169            );
170        }
171        Ok(())
172    }
173}
174
175#[cfg(test)]
176mod test {
177    use mithril_common::test_utils::TempDir;
178
179    use super::*;
180
181    fn create_temporary_empty_directory(name: &str) -> PathBuf {
182        TempDir::create("client-cli-unpacker", name)
183    }
184
185    #[test]
186    fn create_directory_if_it_doesnt_exist() {
187        let pathdir =
188            create_temporary_empty_directory("directory_does_not_exist").join("target_directory");
189
190        CardanoDbDownloadChecker::ensure_dir_exist(&pathdir)
191            .expect("ensure_dir_exist should not fail");
192
193        assert!(pathdir.exists());
194    }
195
196    #[test]
197    fn return_error_if_path_is_a_file() {
198        let pathdir =
199            create_temporary_empty_directory("fail_if_pathdir_is_file").join("target_directory");
200        fs::File::create(&pathdir).unwrap();
201
202        CardanoDbDownloadChecker::check_path_is_an_empty_dir(&pathdir)
203            .expect_err("check_path_is_an_empty_dir should fail");
204    }
205
206    #[test]
207    fn return_ok_if_directory_exist_and_empty() {
208        let pathdir =
209            create_temporary_empty_directory("existing_directory").join("target_directory");
210        fs::create_dir_all(&pathdir).unwrap();
211
212        CardanoDbDownloadChecker::check_path_is_an_empty_dir(&pathdir)
213            .expect("check_path_is_an_empty_dir should not fail");
214    }
215
216    #[test]
217    fn return_error_if_directory_exists_and_not_empty() {
218        let pathdir = create_temporary_empty_directory("existing_directory_not_empty");
219        fs::create_dir_all(&pathdir).unwrap();
220        fs::File::create(pathdir.join("file.txt")).unwrap();
221
222        let error = CardanoDbDownloadChecker::check_path_is_an_empty_dir(&pathdir)
223            .expect_err("check_path_is_an_empty_dir should fail");
224
225        assert!(
226            matches!(
227                error.downcast_ref::<CardanoDbDownloadCheckerError>(),
228                Some(CardanoDbDownloadCheckerError::UnpackDirectoryNotEmpty(_))
229            ),
230            "Unexpected error: {:?}",
231            error
232        );
233    }
234
235    #[test]
236    fn return_error_if_not_enough_available_space_for_archive() {
237        let pathdir = create_temporary_empty_directory("not_enough_available_space_for_archive")
238            .join("target_directory");
239        fs::create_dir_all(&pathdir).unwrap();
240        let archive_size = u64::MAX;
241
242        let error = CardanoDbDownloadChecker::check_disk_space_for_archive(
243            &pathdir,
244            archive_size,
245            CompressionAlgorithm::default(),
246        )
247        .expect_err("check_disk_space_for_archive should fail");
248
249        assert!(
250            matches!(
251                error.downcast_ref::<CardanoDbDownloadCheckerError>(),
252                Some(CardanoDbDownloadCheckerError::NotEnoughSpaceForArchive {
253                    left_space: _,
254                    pathdir: _,
255                    archive_size: _
256                })
257            ),
258            "Unexpected error: {:?}",
259            error
260        );
261    }
262
263    #[test]
264    fn return_ok_if_enough_available_space_for_archive() {
265        let pathdir = create_temporary_empty_directory("enough_available_space_for_archive")
266            .join("target_directory");
267        fs::create_dir_all(&pathdir).unwrap();
268        let archive_size = 3;
269
270        CardanoDbDownloadChecker::check_disk_space_for_archive(
271            &pathdir,
272            archive_size,
273            CompressionAlgorithm::default(),
274        )
275        .expect("check_disk_space_for_archive should not fail");
276    }
277
278    #[test]
279    fn check_disk_space_for_uncompressed_data_return_error_if_not_enough_available_space() {
280        let pathdir =
281            create_temporary_empty_directory("not_enough_available_space_for_uncompressed_data")
282                .join("target_directory");
283        fs::create_dir_all(&pathdir).unwrap();
284        let uncompressed_data_size = u64::MAX;
285
286        let error = CardanoDbDownloadChecker::check_disk_space_for_uncompressed_data(
287            &pathdir,
288            uncompressed_data_size,
289        )
290        .expect_err("check_disk_space_for_uncompressed_data should fail");
291
292        assert!(
293            matches!(
294                error.downcast_ref::<CardanoDbDownloadCheckerError>(),
295                Some(
296                    CardanoDbDownloadCheckerError::NotEnoughSpaceForUncompressedData {
297                        left_space: _,
298                        pathdir: _,
299                        db_size: _
300                    }
301                )
302            ),
303            "Unexpected error: {:?}",
304            error
305        );
306    }
307
308    #[test]
309    fn return_ok_if_enough_available_space_for_uncompressed_data() {
310        let pathdir =
311            create_temporary_empty_directory("enough_available_space_for_uncompressed_data")
312                .join("target_directory");
313        fs::create_dir_all(&pathdir).unwrap();
314        let uncompressed_data_size = 3;
315
316        CardanoDbDownloadChecker::check_disk_space_for_uncompressed_data(
317            &pathdir,
318            uncompressed_data_size,
319        )
320        .expect("check_disk_space_for_uncompressed_data should not fail");
321    }
322
323    #[test]
324    fn check_prerequisites_for_uncompressed_data_return_error_without_allow_override_and_directory_not_empty(
325    ) {
326        let pathdir = create_temporary_empty_directory(
327            "return_error_without_allow_override_and_directory_not_empty",
328        );
329        fs::create_dir_all(&pathdir).unwrap();
330        fs::File::create(pathdir.join("file.txt")).unwrap();
331
332        let error =
333            CardanoDbDownloadChecker::check_prerequisites_for_uncompressed_data(&pathdir, 0, false)
334                .expect_err("check_prerequisites_for_uncompressed_data should fail");
335
336        assert!(
337            matches!(
338                error.downcast_ref::<CardanoDbDownloadCheckerError>(),
339                Some(CardanoDbDownloadCheckerError::UnpackDirectoryNotEmpty(_))
340            ),
341            "Unexpected error: {:?}",
342            error
343        );
344    }
345
346    #[test]
347    fn check_prerequisites_for_uncompressed_data_do_not_return_error_without_allow_override_and_directory_not_empty(
348    ) {
349        let pathdir = create_temporary_empty_directory(
350            "do_not_return_error_without_allow_override_and_directory_not_empty",
351        );
352        fs::create_dir_all(&pathdir).unwrap();
353        fs::File::create(pathdir.join("file.txt")).unwrap();
354
355        CardanoDbDownloadChecker::check_prerequisites_for_uncompressed_data(&pathdir, 0, true)
356            .expect("check_prerequisites_for_uncompressed_data should not fail");
357    }
358
359    // Those test are not on Windows because `set_readonly` is ignored for directories on Windows 7+
360    // https://doc.rust-lang.org/std/fs/struct.Permissions.html#method.set_readonly
361    #[cfg(not(target_os = "windows"))]
362    mod unix_only {
363        use super::*;
364
365        fn make_readonly(path: &Path) {
366            let mut perms = fs::metadata(path).unwrap().permissions();
367            perms.set_readonly(true);
368            fs::set_permissions(path, perms).unwrap();
369        }
370
371        #[test]
372        fn return_error_if_directory_could_not_be_created() {
373            let pathdir = create_temporary_empty_directory("read_only_directory");
374            let targetdir = pathdir.join("target_directory");
375            make_readonly(&pathdir);
376
377            let error = CardanoDbDownloadChecker::ensure_dir_exist(&targetdir)
378                .expect_err("ensure_dir_exist should fail");
379
380            assert!(
381                matches!(
382                    error.downcast_ref::<CardanoDbDownloadCheckerError>(),
383                    Some(CardanoDbDownloadCheckerError::UnpackDirectoryIsNotWritable(
384                        _,
385                        _
386                    ))
387                ),
388                "Unexpected error: {:?}",
389                error
390            );
391        }
392
393        // This test is not run on Windows because `set_readonly` is ignored for directory on Windows 7+
394        // https://doc.rust-lang.org/std/fs/struct.Permissions.html#method.set_readonly
395        #[test]
396        fn return_error_if_existing_directory_is_not_writable() {
397            let pathdir =
398                create_temporary_empty_directory("existing_directory_not_writable").join("db");
399            fs::create_dir(&pathdir).unwrap();
400            make_readonly(&pathdir);
401
402            let error = CardanoDbDownloadChecker::check_dir_writable(&pathdir)
403                .expect_err("check_dir_writable should fail");
404
405            assert!(
406                matches!(
407                    error.downcast_ref::<CardanoDbDownloadCheckerError>(),
408                    Some(CardanoDbDownloadCheckerError::UnpackDirectoryIsNotWritable(
409                        _,
410                        _
411                    ))
412                ),
413                "Unexpected error: {:?}",
414                error
415            );
416        }
417    }
418}