neutralts/template.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 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
use std::fs;
use std::path::Path;
use std::time::{Duration, Instant};
use serde_json::{json, Value};
use regex::Regex;
use crate::{
constants::*,
default_json::*,
utils::*,
shared::Shared,
block_parser::BlockParser,
block_parser::BlockInherit
};
pub struct Template<'a> {
raw: String,
file_path: &'a str,
schema: Value,
shared: Shared,
time_start: Instant,
time_elapsed: Duration,
out: String,
}
/// A struct representing a template that can be rendered.
///
/// This struct is used to handle the rendering of templates.
impl<'a> Template<'a> {
/// Constructs a new `Template` instance with default settings.
///
/// It allows you to set up a template and schema with different types.
pub fn new() -> Result<Self, String> {
let default_schema: Value = match serde_json::from_str(DEFAULT) {
Ok(value) => value,
Err(_) => return Err("const DEFAULT is not a valid JSON string".to_string()),
};
let shared = Shared::new(default_schema.clone());
Ok(Template {
raw: String::new(),
file_path: "",
schema: default_schema,
shared,
time_start: Instant::now(),
time_elapsed: Instant::now().elapsed(),
out: String::new(),
})
}
/// Constructs a new `Template` instance from a file path and a JSON schema.
///
/// # Arguments
///
/// * `file_path` - A reference to the path of the file containing the template content.
/// * `schema` - A JSON value representing the custom schema to be used with the template.
///
/// # Returns
///
/// A `Result` containing the new `Template` instance or an error message if:
/// - The file cannot be read.
pub fn from_file_value(file_path: &'a str, schema: Value) -> Result<Self, String> {
let raw: String = match fs::read_to_string(file_path) {
Ok(s) => s,
Err(e) => {
eprintln!("Cannot be read: {}", file_path);
return Err(e.to_string());
}
};
let mut default_schema: Value = match serde_json::from_str(DEFAULT) {
Ok(value) => value,
Err(_) => {
eprintln!("Internal error in const DEFAULT {}, line: {}", file!(), line!());
return Err("const DEFAULT is not a valid JSON string".to_string());
}
};
merge_schema(&mut default_schema, &schema);
let shared = Shared::new(default_schema.clone());
Ok(Template {
raw,
file_path,
schema: default_schema,
shared,
time_start: Instant::now(),
time_elapsed: Instant::now().elapsed(),
out: String::new(),
})
}
/// Sets the source path of the template.
///
/// # Arguments
///
/// * `file_path` - A reference to the path of the file containing the template content.
///
/// # Returns
///
/// A `Result` indicating success or an error message if the file cannot be read
pub fn set_src_path(&mut self, file_path: &'a str) -> Result<(), String> {
self.file_path = file_path;
self.raw = match fs::read_to_string(file_path) {
Ok(s) => s,
Err(e) => {
eprintln!("Cannot be read: {}", file_path);
return Err(e.to_string());
}
};
Ok(())
}
/// Sets the content of the template from a string.
///
/// # Arguments
///
/// * `source` - A reference to the new string content to be set as the raw content.
pub fn set_src_str(&mut self, source: &str) {
self.raw = source.to_string();
}
/// Merges the schema from a file with the current template schema.
///
/// # Arguments
///
/// * `schema_path` - A reference to the path of the file containing the schema content.
///
/// # Returns
///
/// A `Result` indicating success or an error message if:
/// - The file cannot be read.
/// - The file's content is not a valid JSON string.
pub fn merge_schema_path(&mut self, schema_path: &str) -> Result<(), String> {
let schema_str: String = match fs::read_to_string(schema_path) {
Ok(s) => s,
Err(e) => {
eprintln!("Cannot be read: {}", schema_path);
return Err(e.to_string());
}
};
let schema_value: Value = match serde_json::from_str(&schema_str) {
Ok(value) => value,
Err(_) => {
return Err("Is not a valid JSON file".to_string());
}
};
merge_schema(&mut self.schema, &schema_value);
Ok(())
}
/// Merges the schema from a JSON string with the current template schema.
///
/// # Arguments
///
/// * `schema` - A reference to the JSON string of the schema content.
///
/// # Returns
///
/// A `Result` indicating success or an error message if:
/// - The file's content is not a valid JSON string.
pub fn merge_schema_str(&mut self, schema: &str) -> Result<(), String> {
let schema_value: Value = match serde_json::from_str(schema) {
Ok(value) => value,
Err(_) => {
return Err("Is not a valid JSON string".to_string());
}
};
merge_schema(&mut self.schema, &schema_value);
Ok(())
}
/// Merges the provided JSON value with the current schema.
///
/// # Arguments
///
/// * `schema` - The JSON Value to be merged with the current schema.
pub fn merge_schema_value(&mut self, schema: Value) {
merge_schema(&mut self.schema, &schema);
}
/// Renders the template content.
///
/// This function initializes the rendering process.
/// The resulting output is returned as a string.
///
/// # Returns
///
/// The rendered template content as a string.
pub fn render(&mut self) -> String {
let inherit = self.init_render();
self.out = BlockParser::new(&mut self.shared, &inherit).parse(&self.raw, "");
while self.out.contains("{:!cache;") {
let out;
out = BlockParser::new(&mut self.shared, &inherit).parse(&self.out, "!cache");
self.out = out;
}
self.ends_render();
self.out.clone()
}
// Restore vars for render
fn init_render(&mut self) -> BlockInherit {
self.time_start = Instant::now();
self.shared = Shared::new(self.schema.clone());
if self.shared.comments.contains("remove") {
self.raw = remove_comments(&self.raw);
}
// init inherit
let mut inherit = BlockInherit::new();
let indir = inherit.create_block_schema(&mut self.shared);
self.shared.schema["__moveto"] = json!({});
self.shared.schema["__error"] = json!([]);
self.shared.schema["__indir"] = json!({});
self.shared.schema["__indir"][&indir] = self.shared.schema["inherit"].clone();
inherit.current_file = self.file_path.to_string();
// Escape CONTEXT values
filter_value(&mut self.shared.schema["data"]["CONTEXT"]);
// Escape CONTEXT keys names
filter_value_keys(&mut self.shared.schema["data"]["CONTEXT"]);
if !self.file_path.is_empty() {
let path = Path::new(&self.file_path);
if let Some(parent) = path.parent() {
inherit.current_dir = parent.display().to_string();
}
} else {
inherit.current_dir = self.shared.working_dir.clone();
}
inherit
}
// Rendering ends
fn ends_render(&mut self) {
self.set_moveto();
self.replacements();
self.set_status_code();
self.time_elapsed = self.time_start.elapsed();
}
fn set_status_code(&mut self) {
let status_code = self.shared.status_code.as_str();
if ("400"..="599").contains(&status_code) {
self.out = format!("{} {}", self.shared.status_code, self.shared.status_text);
return;
}
if status_code == "301"
|| status_code == "302"
|| status_code == "303"
|| status_code == "307"
|| status_code == "308"
{
self.out = format!(
"{} {}\n{}",
self.shared.status_code, self.shared.status_text, self.shared.status_param
);
return;
}
if !self.shared.redirect_js.is_empty() {
self.out = self.shared.redirect_js.clone();
}
}
fn set_moveto(&mut self) {
if let Value::Object(data_map) = &self.shared.schema["__moveto"] {
for (_key, value) in data_map {
if let Value::Object(inner_map) = value {
for (inner_key, inner_value) in inner_map {
let mut tag;
// although it should be "<tag" or "</tag" it also supports
// "tag", "/tag", "<tag>" and "</tag>
if !inner_key.starts_with("<") {
tag = format!("<{}", inner_key);
} else {
tag = inner_key.to_string();
}
if tag.ends_with(">") {
tag = tag[..tag.len() - 1].to_string();
}
// if it does not find it, it does nothing
let position = find_tag_position(&self.out, &tag);
if let Some(pos) = position {
let mut insert = inner_value.as_str().unwrap().to_string();
insert = insert.to_string();
self.out.insert_str(pos, &insert);
}
}
}
}
}
}
fn replacements(&mut self) {
let pattern = format!(r"\s*{}", BACKSPACE);
let re = Regex::new(&pattern).expect("Failed to create regex with constant pattern");
self.out = re.replace_all(&self.out, "").to_string();
// UNPRINTABLE should be substituted after BACKSPACE
self.out = self.out.replace(UNPRINTABLE, "");
}
/// Retrieves the status code.
///
/// The status code is "200" unless "exit", "redirect" is used or the
/// template contains a syntax error, which will return a status code
/// of "500". Although the codes are numeric, a string is returned.
///
/// # Returns
///
/// A reference to the status code as a string.
pub fn get_status_code(&self) -> &String {
&self.shared.status_code
}
/// Retrieves the status text.
///
/// It will correspond to the one set by the HTTP protocol.
///
/// # Returns
///
/// A reference to the status text as a string.
pub fn get_status_text(&self) -> &String {
&self.shared.status_text
}
/// Retrieves the status parameter.
///
/// Some statuses such as 301 (redirect) may contain additional data, such
/// as the destination URL, and in similar cases “param” will contain
/// that value.
///
/// # Returns
///
/// A reference to the status parameter as a string.
pub fn get_status_param(&self) -> &String {
&self.shared.status_param
}
/// Checks if there is an error.
///
/// If any error has occurred, in the parse or otherwise, it will return true.
///
/// # Returns
///
/// A boolean indicating whether there is an error.
pub fn has_error(&self) -> bool {
self.shared.has_error
}
/// Get bifs errors list
///
/// # Returns
///
/// * `Value`: A clone of the value with the list of errors in the bifs during rendering.
pub fn get_error(&self) -> Value {
self.shared.schema["__error"].clone()
}
/// Retrieves the time duration for template rendering.
///
/// # Returns
///
/// The time duration elapsed .
pub fn get_time_duration(&self) -> Duration {
let duration: std::time::Duration = self.time_elapsed;
duration
}
}