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
// LOCAL.rs
// by Lut99
//
// Created:
// 18 Nov 2022, 14:46:51
// Last edited:
// 22 May 2023, 13:39:32
// Auto updated?
// Yes
//
// Description:
//! Defines functions for collecting local package & data indices.
//
use std::fs::{self, DirEntry, File, ReadDir};
use std::path::{Path, PathBuf};
use std::str::FromStr;
use serde_json::json;
use specifications::data::{DataIndex, DataInfo};
use specifications::package::{PackageIndex, PackageInfo};
use specifications::version::Version;
pub use crate::errors::LocalError as Error;
/***** AUXILLARY FUNCTIONS *****/
/// Collects a list of versions in the given package directory.
///
/// # Arguments
/// - `package_dir`: The package directory to search. This function assumes it already exists.
/// - `package_name`: The name of the package we search the directory of (used for debugging purposes).
///
/// # Returns
/// The list of Versions found in the given package directory, or a PackageError if we couldn't.
pub fn get_package_versions(package_name: &str, package_dir: &Path) -> Result<Vec<Version>, Error> {
// Get the list of available versions
let version_dirs = match fs::read_dir(package_dir) {
Ok(files) => files,
Err(reason) => {
return Err(Error::PackageDirReadError { path: package_dir.to_path_buf(), err: reason });
},
};
// Convert the list of strings into a version
let mut versions: Vec<Version> = Vec::new();
for dir in version_dirs {
if let Err(reason) = dir {
return Err(Error::PackageDirReadError { path: package_dir.to_path_buf(), err: reason });
}
let dir_path = dir.unwrap().path();
// Next, check if it's a 'package dir' by checking for the files we need
if !dir_path.join("package.yml").exists() {
// It's not a version folder
continue;
}
// Try to parse the filename as a version number
let dir_name = match dir_path.file_name() {
Some(value) => value.to_string_lossy().to_string(),
None => {
return Err(Error::UnreadableVersionEntry { path: dir_path });
},
};
let version = match Version::from_str(&dir_name) {
Ok(value) => value,
Err(reason) => {
return Err(Error::IllegalVersionEntry { package: package_name.to_string(), version: dir_name, err: reason });
},
};
// Push it to the list and try again
versions.push(version);
}
if versions.is_empty() {
return Err(Error::NoVersions { package: package_name.to_string() });
}
// Done! Return it
Ok(versions)
}
/***** LIBRARY *****/
/// Returns the an index of locally available packages and their versions.
///
/// # Arguments
/// - `packages_path`: The path to the directory that we read the packages from.
///
/// # Returns
/// A PackageIndex if we could retrieve it, or a PackageError if we failed.
///
/// # Errors
/// This function may error if we failed to read the local packages folder or if the packages folder was incorrectly laid out.
pub fn get_package_index(packages: impl AsRef<Path>) -> Result<PackageIndex, Error> {
let packages_path: &Path = packages.as_ref();
// Open an iterator to the list of files
let package_dirs = match fs::read_dir(packages_path) {
Ok(dir) => dir,
Err(err) => {
return Err(Error::PackagesDirReadError { path: packages_path.into(), err });
},
};
// Start iterating through all the packages
let mut packages = vec![];
for package in package_dirs {
if let Err(reason) = package {
return Err(Error::PackagesDirReadError { path: packages_path.into(), err: reason });
}
let package = package.unwrap();
// Make sure it's a directory
let package_path = package.path();
if !package_path.is_dir() {
continue;
}
// Read the versions inside the package directory and add each of them separately
let package_name = package_path.file_name().unwrap().to_string_lossy();
let versions = get_package_versions(&package_name, &package_path)?;
for version in versions {
// Get the path of this version
let version_path = package_path.join(version.to_string());
// Try to read the propery package info
let package_file = version_path.join("package.yml");
match PackageInfo::from_path(package_file.clone()) {
Ok(package_info) => {
packages.push(package_info);
},
Err(err) => {
return Err(Error::InvalidPackageYml { package: package_name.to_string(), path: package_file, err });
},
}
}
}
// Generate the package index from the collected list of packages
match PackageIndex::from_value(json!(packages)) {
Ok(index) => Ok(index),
Err(err) => Err(Error::PackageIndexError { err }),
}
}
/// Returns the an index of locally available datasets.
///
/// # Arguments
/// - `datasets_path`: The path to the directory that we read the packages from.
///
/// # Returns
/// A [`DataIndex`] if we could retrieve it, or an [`Error`] if we failed.
///
/// # Errors
/// This function may error if we failed to read the local data folder or if the data folder was incorrectly laid out.
pub fn get_data_index(datasets_path: impl AsRef<Path>) -> Result<DataIndex, Error> {
let datasets_path: &Path = datasets_path.as_ref();
// Start reading the directory
let dirs: ReadDir = match fs::read_dir(datasets_path) {
Ok(dirs) => dirs,
Err(err) => {
return Err(Error::DatasetsReadError { path: datasets_path.into(), err });
},
};
// Read it and iterate over all of the nested directories
let mut infos: Vec<DataInfo> = Vec::with_capacity(16);
for d in dirs {
// Unwrap the entry
let d: DirEntry = match d {
Ok(d) => d,
Err(err) => {
return Err(Error::DatasetsReadError { path: datasets_path.into(), err });
},
};
// If it's a directory, tentatively try to find a 'data.yml' file in there
let d_path: PathBuf = d.path();
let info_path: PathBuf = d_path.join("data.yml");
if d_path.is_dir() && info_path.exists() {
// Attempt to open the file
let handle = match File::open(&info_path) {
Ok(handle) => handle,
Err(err) => {
return Err(Error::DataInfoOpenError { path: info_path, err });
},
};
// Attempt to parse it
let info: DataInfo = match serde_yaml::from_reader(handle) {
Ok(info) => info,
Err(err) => {
return Err(Error::DataInfoReadError { path: info_path, err });
},
};
// Add it to the index
infos.push(info);
}
}
// Return a newly constructed info with it
match DataIndex::from_infos(infos) {
Ok(index) => Ok(index),
Err(err) => Err(Error::DataIndexError { err }),
}
}