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 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295
//! # Module
//!
//! A `module` holds the final compiled state for a single csv++ source file
//!
// TODO:
// * we need more unit tests around the various eval phases
// - fills
// - row vs cell variable definitions
// * eval cells in parallel (rayon)
// * make sure there is only one infinite fill in the docs (ones can follow it, but they have to
// be finite and subtract from it
use crate::ast::Variables;
use crate::{ArcSourceCode, Compiler, ModuleLoader, ModulePath, Result, Row, Scope, Spreadsheet};
use log::{error, info};
use std::fs;
use std::path;
mod display;
mod try_from;
#[derive(Debug, serde::Deserialize, serde::Serialize)]
pub struct Module {
pub compiler_version: String,
pub module_path: ModulePath,
pub scope: Scope,
pub spreadsheet: Spreadsheet,
pub(crate) required_modules: Vec<ModulePath>,
pub(crate) source_code: ArcSourceCode,
pub(crate) is_dirty: bool,
}
impl Module {
// TODO: look at where this is used... it's kinda unclear what the contract is
pub(crate) fn new(
source_code: ArcSourceCode,
module_path: ModulePath,
scope: Scope,
spreadsheet: Spreadsheet,
) -> Self {
Self {
compiler_version: env!("CARGO_PKG_VERSION").to_string(),
scope,
module_path,
required_modules: vec![],
spreadsheet,
source_code,
is_dirty: false,
}
}
/// For each row of the spreadsheet, if it has a [[fill=]] then we need to actually fill it to
/// that many rows.
///
/// This has to happen before eval()ing the cells because that process depends on them being in
/// their final location.
// TODO: make sure there is only one infinite fill
// TODO: move this into spreadsheet?
pub(crate) fn eval_fills(self) -> Self {
let mut new_spreadsheet = Spreadsheet::default();
let s = self.spreadsheet;
let mut row_num = 0;
for row in s.rows.into_iter() {
if let Some(f) = row.fill {
let new_fill = f.clone_to_row(row_num);
for _ in 0..new_fill.fill_amount(row_num) {
new_spreadsheet.rows.push(Row {
fill: Some(new_fill),
..row.clone()
});
row_num += 1;
}
} else {
new_spreadsheet.rows.push(row);
row_num += 1;
}
}
Self {
spreadsheet: new_spreadsheet,
..self
}
}
// TODO: do this in parallel (thread for each row (maybe cell? with a threadpool))
pub(crate) fn eval_spreadsheet(self, external_vars: Variables) -> Result<Self> {
let spreadsheet = self.spreadsheet;
let scope = self
.scope
.merge_variables(spreadsheet.variables())
.merge_variables(external_vars);
let mut evaled_rows = vec![];
for (row_index, row) in spreadsheet.rows.into_iter().enumerate() {
evaled_rows.push(row.eval(self.source_code.clone(), &scope, row_index.into())?);
}
Ok(Self {
scope,
spreadsheet: Spreadsheet { rows: evaled_rows },
..self
})
}
pub(crate) fn load_dependencies<P: Into<path::PathBuf>>(self, relative_to: P) -> Result<Self> {
let module_loader = ModuleLoader::load_dependencies(&self, relative_to)?;
let dependencies = module_loader.into_direct_dependencies()?;
Ok(Self {
scope: self.scope.merge(dependencies),
..self
})
}
pub(crate) fn write_object_file(&self, compiler: &Compiler) -> Result<()> {
if !compiler.options.use_cache {
info!("Not writing object file because --no-cache flag is set");
return Ok(());
}
let object_code_filename = self.source_code.object_code_filename();
info!("Writing object file to {}", object_code_filename.display());
let object_file = fs::File::create(object_code_filename).map_err(|e| {
error!("IO error: {e:?}");
self.source_code
.object_code_error(format!("Error opening object code for writing: {e}"))
})?;
serde_cbor::to_writer(object_file, self).map_err(|e| {
error!("CBOR write error: {e:?}");
self.source_code
.object_code_error(format!("Error serializing object code for writing: {e}"))
})?;
Ok(())
}
/* TODO: bring back object codes (but in a way that works with the module loader)
pub(crate) fn read_from_object_file(compiler: &Compiler) -> Result<Option<Self>> {
if !compiler.options.use_cache {
compiler.info("Not reading object file");
return Ok(None);
}
let sc = &compiler.source_code;
let obj_file = sc.object_code_filename();
// does the object code file even exist?
if !obj_file.exists() {
compiler.info("Attempted to read object file but it does not exist");
return Ok(None);
}
let obj_file_modified = fs::metadata(&obj_file)
.and_then(|s| s.modified())
.map_err(|e| sc.object_code_error(format!("Unable to stat object code: {e}")))?;
let source_file_modified = fs::metadata(&sc.filename)
.and_then(|s| s.modified())
.map_err(|e| sc.object_code_error(format!("Unable to stat source code: {e}")))?;
// is the object code more recent than the source? (i.e., no changes since it was last
// written)
if source_file_modified > obj_file_modified {
return Ok(None);
}
let obj_file_reader = fs::File::open(&obj_file)
.map_err(|e| sc.object_code_error(format!("Error opening object code: {e}")))?;
let Ok(loaded_module): std::result::Result<Self, serde_cbor::Error> =
serde_cbor::from_reader(obj_file_reader)
else {
// if we fail to load the old object file just warn about it and move on. for whatever
// reason (written by an old version) it's not compatible with our current version
compiler.warn(format!(
"Error loading object code from {}. Was it written with an old version of csv++?",
obj_file.display()
));
return Ok(None);
};
let current_version = env!("CARGO_PKG_VERSION").to_string();
let this_version = semver::Version::parse(¤t_version).map_err(|e| {
sc.object_code_error(format!("Unable to parse version `{current_version}`: {e}"))
})?;
let loaded_version =
semver::Version::parse(&loaded_module.compiler_version).map_err(|e| {
sc.object_code_error(format!(
"Unable to parse loaded module version `{}`: {e}",
&loaded_module.compiler_version
))
})?;
// if the version is less than ours, don't use it and recompile instead. otherwise we can
// trust that it's ok to use
Ok(match this_version.cmp(&loaded_version) {
cmp::Ordering::Equal | cmp::Ordering::Greater => Some(loaded_module),
cmp::Ordering::Less => None,
})
}
*/
}
#[cfg(test)]
mod tests {
use super::*;
use crate::ast::*;
use crate::test_utils::*;
use crate::*;
#[test]
fn eval_fills_finite() {
let module = Module {
spreadsheet: Spreadsheet {
rows: vec![
Row {
fill: Some(Fill::new(0, Some(10))),
..Default::default()
},
Row {
fill: Some(Fill::new(10, Some(30))),
..Default::default()
},
],
},
..build_module()
}
.eval_fills();
let spreadsheet = module.spreadsheet;
assert_eq!(spreadsheet.rows.len(), 40);
// 0-9 should be Fill { amount: 10, start_row: 0 }
assert_eq!(spreadsheet.rows[0].fill.unwrap().start_row, 0.into());
assert_eq!(spreadsheet.rows[9].fill.unwrap().start_row, 0.into());
// and 10-39 should be Fill { amount: 30, start_row: 10 }
assert_eq!(spreadsheet.rows[10].fill.unwrap().start_row, 10.into());
assert_eq!(spreadsheet.rows[39].fill.unwrap().start_row, 10.into());
}
#[test]
fn eval_fills_infinite() {
let module = Module {
spreadsheet: Spreadsheet {
rows: vec![
Row {
fill: Some(Fill::new(0, Some(10))),
..Default::default()
},
Row {
fill: Some(Fill::new(10, None)),
..Default::default()
},
],
},
..build_module()
}
.eval_fills();
let spreadsheet = module.spreadsheet;
assert_eq!(spreadsheet.rows.len(), 1000);
// 0-9 should be Fill { amount: 10, start_row: 0 }
assert_eq!(spreadsheet.rows[0].fill.unwrap().start_row, 0.into());
assert_eq!(spreadsheet.rows[9].fill.unwrap().start_row, 0.into());
// and 10-999 should be Fill { amount: None, start_row: 10 }
assert_eq!(spreadsheet.rows[10].fill.unwrap().start_row, 10.into());
assert_eq!(spreadsheet.rows[999].fill.unwrap().start_row, 10.into());
}
#[test]
fn load_dependencies_with_scope() {
let mut module = build_module();
module
.scope
.functions
.insert("foo".to_string(), Ast::new(1.into()));
module
.scope
.variables
.insert("bar".to_string(), Ast::new(2.into()));
let module = module.load_dependencies("").unwrap();
assert!(module.scope.functions.contains_key("foo"));
assert!(module.scope.variables.contains_key("bar"));
}
#[test]
fn load_depdencies_without_scope() {
let module = build_module();
assert!(module.scope.functions.is_empty());
assert!(module.scope.variables.is_empty());
}
}