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
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
//! # Rant

//!

//! Rant is a language for procedural text generation.

//! It is designed to help you write more dynamic and expressive templates, dialogue, stories, names, test data, and much more.

//!

//! For language documentation, see the [Rant Reference](https://docs.rant-lang.org).

//! 

//! ## The Rant context

//!

//! All programs are run through a Rant context, represented by the [`Rant`] struct.

//! It allows you to execute Rant programs, define and retrieve global variables, manipulate the RNG, and compile Rant code.

//! 

//! ## Reading compiler errors

//! 

//! You will notice that the `Err` variant of the `Rant::compile*` methods is `()` instead of providing an error list. Instead, 

//! errors and warnings are reported via implementors of the [`Reporter`] trait, which allows the user to control what happens to messages emitted by the compiler.

//! Currently, Rant has two built-in `Reporter` implementations: the unit type `()`, and `Vec<CompilerMessage>`.

//! You can also make your own custom reporters to suit your specific needs.

//!

//! [`Rant`]: struct.Rant.html

//! [`Reporter`]: compiler/trait.Reporter.html

//! [`Vec<CompilerMessage>`]: compiler/struct.CompilerMessage.html



#![allow(dead_code)]
#![allow(unused_macros)]

mod runtime;
mod lang;
mod convert;
mod random;
mod util;
mod collections;
mod stdlib;
mod value;
mod var;
pub mod compiler;

pub use collections::*;
pub use value::*;
pub use convert::*;
pub use var::*;

use crate::compiler::CompilerMessage;
use crate::lang::{Sequence};
use crate::compiler::{RantCompiler, Reporter, ErrorKind as CompilerErrorKind};
use crate::runtime::*;
use crate::lang::is_valid_ident;
use crate::random::RantRng;

use std::{path::Path, rc::Rc, cell::RefCell, fmt::Display, path::PathBuf, io::ErrorKind, collections::HashMap};
use fnv::FnvBuildHasher;
use std::env;
use rand::Rng;

type IOErrorKind = std::io::ErrorKind;

pub(crate) type RantString = smartstring::alias::CompactString;

/// The build version according to the crate metadata at the time of compiling.

pub const BUILD_VERSION: &str = env!("CARGO_PKG_VERSION");

/// The name of the environment variable that Rant checks when checking the global modules path.

pub const ENV_MODULES_PATH_KEY: &str = "RANT_MODULES_PATH";

/// The Rant language version implemented by this library.

pub const RANT_VERSION: &str = "4.0";

/// The default name given to programs compiled from raw strings.

pub const DEFAULT_PROGRAM_NAME: &str = "program";

/// The file extension that Rant expects modules to have.

pub const RANT_FILE_EXTENSION: &str = "rant";

/// Name of global variable that stores cached modules.

pub(crate) const MODULES_CACHE_KEY: &str = "__MODULES";

pub(crate) type ModuleLoadResult = Result<RantProgram, ModuleLoadError>;

/// A Rant execution context.

#[derive(Debug)]
pub struct Rant {
  rng: Rc<RantRng>,
  debug_mode: bool,
  globals: HashMap<RantString, RantVar, FnvBuildHasher>,
  options: RantOptions,
}

impl Rant {
  /// Creates a new Rant context with the default seed (0) and loads the standard library.

  pub fn new() -> Self {
    Self::with_seed(0)
  }
  
  /// Creates a new Rant context with the specified seed and loads the standard library.

  pub fn with_seed(seed: u64) -> Self {
    Self::with_options(RantOptions {
      seed,
      .. Default::default()
    })
  }

  /// Creates a new Rant context with a seed generated by a thread-local PRNG and loads the standard library.

  pub fn with_random_seed() -> Self {
    Self::with_options(RantOptions {
      seed: rand::thread_rng().gen(),
      .. Default::default()
    })
  }

  /// Creates a new Rant context with the specified options.

  pub fn with_options(options: RantOptions) -> Self {
    let mut rant = Self {
      debug_mode: options.debug_mode,
      globals: Default::default(),
      rng: Rc::new(RantRng::new(options.seed)),
      options,
    };

    // Load standard library

    if rant.options.use_stdlib {
      stdlib::load_stdlib(&mut rant);
    }

    rant
  }
}

impl Default for Rant {
  /// Creates a default `Rant` instance.

  fn default() -> Self {
    Self::new()
  }
}

impl Rant {
  /// Compiles a source string using the specified reporter.

  #[must_use = "compiling a program without storing or running it achieves nothing"]
  pub fn compile<R: Reporter>(&self, source: &str, reporter: &mut R) -> Result<RantProgram, CompilerErrorKind> {
    RantCompiler::compile_string(source, reporter, self.debug_mode, DEFAULT_PROGRAM_NAME)
  }

  /// Compiles a source string using the specified reporter and source name.

  #[must_use = "compiling a program without storing or running it achieves nothing"]
  pub fn compile_named<R: Reporter>(&self, source: &str, reporter: &mut R, name: &str) -> Result<RantProgram, CompilerErrorKind> {
    RantCompiler::compile_string(source, reporter, self.debug_mode, name)
  }

  /// Compiles a source string without reporting problems.

  ///

  /// ## Note

  ///

  /// This method will not generate any compiler messages, even if it fails.

  ///

  /// If you require this information, use the `compile()` method instead.

  #[must_use = "compiling a program without storing or running it achieves nothing"]
  pub fn compile_quiet(&self, source: &str) -> Result<RantProgram, CompilerErrorKind> {
    RantCompiler::compile_string(source, &mut (), self.debug_mode, DEFAULT_PROGRAM_NAME)
  }

  /// Compiles a source string without reporting problems and assigns it the specified name.

  ///

  /// ## Note

  ///

  /// This method will not generate any compiler messages, even if it fails.

  ///

  /// If you require this information, use the `compile()` method instead.

  #[must_use = "compiling a program without storing or running it achieves nothing"]
  pub fn compile_quiet_named(&self, source: &str, name: &str) -> Result<RantProgram, CompilerErrorKind> {
    RantCompiler::compile_string(source, &mut (), self.debug_mode, name)
  }
  
  /// Compiles a source file using the specified reporter.

  #[must_use = "compiling a program without storing or running it achieves nothing"]
  pub fn compile_file<P: AsRef<Path>, R: Reporter>(&self, path: P, reporter: &mut R) -> Result<RantProgram, CompilerErrorKind> {
    RantCompiler::compile_file(path, reporter, self.debug_mode)
  }

  /// Compiles a source file without reporting problems.

  ///

  /// ## Note

  ///

  /// This method will not generate any compiler messages, even if it fails.

  ///

  /// If you require this information, use the `compile_file()` method instead.

  #[must_use = "compiling a program without storing or running it achieves nothing"]
  pub fn compile_file_quiet<P: AsRef<Path>>(&self, path: P) -> Result<RantProgram, CompilerErrorKind> {
    RantCompiler::compile_file(path, &mut (), self.debug_mode)
  }

  /// Sets a global variable.

  #[inline]
  pub fn set_global(&mut self, key: &str, value: RantValue) {
    if let Some(global_var) = self.globals.get_mut(key) {
      global_var.write(value);
    } else {
      self.globals.insert(RantString::from(key), RantVar::ByVal(value));
    }
  }

  /// Gets the value of a global variable.

  #[inline]
  pub fn get_global(&self, key: &str) -> Option<RantValue> {
    self.globals.get(key).map(|var| var.value_cloned())
  }

  /// Gets a global variable by its `RantVar` representation.

  #[inline]
  pub(crate) fn get_global_var(&self, key: &str) -> Option<&RantVar> {
    self.globals.get(key)
  }

  /// Sets a global variable to the provided `RantVar`.

  #[inline]
  pub(crate) fn set_global_var(&mut self, key: &str, var: RantVar) {
    self.globals.insert(RantString::from(key), var);
  }

  /// Gets a mutable reference to the `RantVar` representation of the specified variable.

  #[inline]
  pub(crate) fn get_global_var_mut(&mut self, key: &str) -> Option<&mut RantVar> {
    self.globals.get_mut(key)
  }

  /// Returns `true` if a global with the specified key exists.

  #[inline]
  pub fn has_global(&self, key: &str) -> bool {
    self.globals.contains_key(key)
  }

  /// Removes the global with the specified key. Returns `true` if the global existed prior to removal.

  #[inline]
  pub fn delete_global(&mut self, key: &str) -> bool {
    self.globals.remove(key).is_some()
  }

  /// Iterates over the names of all globals stored in the context.

  #[inline]
  pub fn global_names(&self) -> impl Iterator<Item = &str> {
    self.globals.keys().map(|k| k.as_str())
  }
  
  /// Gets the current RNG seed.

  pub fn seed(&self) -> u64 {
    self.rng.seed()
  }
  
  /// Re-seeds the RNG with the specified seed.

  pub fn set_seed(&mut self, seed: u64) {
    self.rng = Rc::new(RantRng::new(seed));
  }
  
  /// Resets the RNG back to its initial state with the current seed.

  pub fn reset_seed(&mut self) {
    let seed = self.rng.seed();
    self.rng = Rc::new(RantRng::new(seed));
  }
  
  /// Runs the specified Rant program and returns the generated output value.

  pub fn run(&mut self, program: &RantProgram) -> RuntimeResult<RantValue> {
    let mut vm = VM::new(self.rng.clone(), self, program);
    vm.run()
  }

  /// Runs the specified Rant program and returns the generated output as a string.

  pub fn run_into_string(&mut self, program: &RantProgram) -> RuntimeResult<String> {
    let mut vm = VM::new(self.rng.clone(), self, program);
    Ok(vm.run()?.to_string())
  }

  /// Attempts to load and compile a module with the specified name.

  pub(crate) fn try_load_module(&mut self, module_name: &str) -> ModuleLoadResult {
    if !self.options.enable_require {
      return Err(ModuleLoadError {
        name: module_name.to_owned(),
        reason: ModuleLoadErrorReason::NotAllowed,
      })
    }

    // Module names may only be valid identifiers

    if !is_valid_ident(module_name) {
      return Err(ModuleLoadError {
        name: module_name.to_owned(),
        reason: ModuleLoadErrorReason::NotFound,
      })
    }

    // Try to find module path that exists

    if let Some(module_path) = self.find_module_path(module_name) {
      let mut errors = vec![];
      let compile_result = self.compile_file(module_path, &mut errors);
      match compile_result {
        Ok(module) => Ok(module),
        Err(err) => {
          Err(ModuleLoadError {
            name: module_name.to_owned(),
            reason: match err{
              CompilerErrorKind::SyntaxError => {
                ModuleLoadErrorReason::CompileFailed(errors)
              },
              CompilerErrorKind::IOError(ioerr) => {
                match ioerr {
                  IOErrorKind::NotFound => {
                    ModuleLoadErrorReason::NotFound
                  },
                  IOErrorKind::PermissionDenied => {
                    ModuleLoadErrorReason::NotAllowed
                  },
                  _ => ModuleLoadErrorReason::FileIOError(ioerr)
                }
              }
            }
          })
        }
      }
    } else {
      Err(ModuleLoadError {
        name: module_name.to_owned(),
        reason: ModuleLoadErrorReason::NotFound,
      })
    }
  }

  #[inline]
  fn find_module_path(&self, module_name: &str) -> Option<PathBuf> {
    // Check local module path

    if let Some(local_module_path) = 
      self.options.local_module_path
      .as_ref()
      .map(PathBuf::from)
      .or_else(||
        env::current_dir()
        .ok()
      )
      .map(|path| path
        .join(&module_name)
        .with_extension(RANT_FILE_EXTENSION)
      )
    {
      if local_module_path.exists() {
        return Some(local_module_path);
      }
    }

    // Check global modules, if enabled

    if self.options.enable_global_modules {
      return env::var_os(ENV_MODULES_PATH_KEY)
        .map(PathBuf::from)
        .map(|path| path
          .join(&module_name)
          .with_extension(RANT_FILE_EXTENSION)
        )
        .filter(|path| path.exists());
    }
    
    None
  }
}

/// Provides options for customizing the creation of a `Rant` instance.

#[derive(Debug, Clone)]
pub struct RantOptions {
  /// Specifies whether the standard library should be loaded.

  pub use_stdlib: bool,
  /// Enables debug mode, which includes additional debug information in compiled programs and more detailed runtime error data.

  pub debug_mode: bool,
  /// The initial seed to pass to the RNG. Defaults to 0.

  pub seed: u64,
  /// Enables the [require] function, allowing modules to be loaded.

  pub enable_require: bool,
  /// Enables loading modules from RANT_MODULES_PATH.

  pub enable_global_modules: bool,
  /// Specifies a preferred module loading path with higher precedence than the global module path.

  /// If not specified, looks in the current working directory.

  pub local_module_path: Option<String>,
}

impl Default for RantOptions {
  fn default() -> Self {
    Self {
      use_stdlib: true,
      debug_mode: false,
      seed: 0,
      enable_require: true,
      enable_global_modules: true,
      local_module_path: None,
    }
  }
}

/// A compiled Rant program.

#[derive(Debug)]
pub struct RantProgram {
  name: RantString,
  root: Rc<Sequence>
}

impl RantProgram {
  pub(crate) fn new(root: Rc<Sequence>, name: RantString) -> Self {
    Self {
      name,
      root,
    }
  }

  /// Gets the name of the program, if any.

  #[inline]
  pub fn name(&self) -> &str {
    self.name.as_str()
  }
}

/// Represents an error that occurred when attempting to load a Rant module.

#[derive(Debug)]
pub struct ModuleLoadError {
  name: String,
  reason: ModuleLoadErrorReason,
}

impl ModuleLoadError {
  /// Gets the name of the module that failed to load.

  #[inline]
  pub fn name(&self) -> &str {
    &self.name
  }

  /// Gets the reason for the module load failure.

  #[inline]
  pub fn reason(&self) -> &ModuleLoadErrorReason {
    &self.reason
  }
}

/// Represents the reason for which a Rant module failed to load.

#[derive(Debug)]
pub enum ModuleLoadErrorReason {
  /// The module could not load because the calling context has module loading disabled.

  NotAllowed,
  /// The module was not found.

  NotFound,
  /// The module could not be compiled.

  CompileFailed(Vec<CompilerMessage>),
  /// The module could not load due to a file I/O error.

  FileIOError(ErrorKind),
}

impl Display for ModuleLoadError {
  fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
    match self.reason() {
      ModuleLoadErrorReason::NotAllowed => write!(f, "module loading is disabled"),
      ModuleLoadErrorReason::NotFound => write!(f, "module '{}' not found", self.name()),
      ModuleLoadErrorReason::CompileFailed(msgs) => write!(f, "module '{}' failed to compile: {}",
      self.name(),
      msgs.iter().fold(String::new(), |mut acc, msg| {
        acc.push_str(&format!("[{}] {}\n", msg.severity(), msg.message())); 
        acc
      })),
      ModuleLoadErrorReason::FileIOError(ioerr) => write!(f, "file I/O error ({:?})", ioerr),
    }
  }
}

impl IntoRuntimeResult<RantProgram> for ModuleLoadResult {
  fn into_runtime_result(self) -> RuntimeResult<RantProgram> {
    self.map_err(|err| RuntimeError {
      description: err.to_string(),
      error_type: RuntimeErrorType::ModuleLoadError(err),
      stack_trace: None,
    })
  }
}