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
use std::collections::{BTreeMap, BTreeSet};
use std::fmt;
use crate::compiler::instructions::Instructions;
use crate::environment::Environment;
use crate::error::{Error, ErrorKind};
use crate::output::Output;
use crate::template::Template;
use crate::utils::{AutoEscape, UndefinedBehavior};
use crate::value::{ArgType, Value};
use crate::vm::context::Context;
#[cfg(feature = "fuel")]
use crate::vm::fuel::FuelTracker;
/// When macros are used, the state carries an `id` counter. Whenever a state is
/// created, the counter is incremented. This exists because macros can keep a reference
/// to instructions from another state by index. Without this counter it would
/// be possible for a macro to be called with a different state (different id)
/// which mean we likely panic.
#[cfg(feature = "macros")]
static STATE_ID: std::sync::atomic::AtomicIsize = std::sync::atomic::AtomicIsize::new(0);
/// Provides access to the current execution state of the engine.
///
/// A read only reference is passed to filter functions and similar objects to
/// allow limited interfacing with the engine. The state is useful to look up
/// information about the engine in filter, test or global functions. It not
/// only provides access to the template environment but also the context
/// variables of the engine, the current auto escaping behavior as well as the
/// auto escape flag.
///
/// In some testing scenarios or more advanced use cases you might need to get
/// a [`State`]. The state is managed as part of the template execution but the
/// initial state can be retrieved via [`Template::new_state`](crate::Template::new_state).
/// The most common way to get hold of the state however is via functions of filters.
///
/// **Notes on lifetimes:** the state object exposes some of the internal
/// lifetimes through the type. You should always elide these lifetimes
/// as there might be lifetimes added or removed between releases.
pub struct State<'template, 'env> {
pub(crate) env: &'env Environment<'env>,
pub(crate) ctx: Context<'env>,
pub(crate) current_block: Option<&'env str>,
pub(crate) auto_escape: AutoEscape,
pub(crate) instructions: &'template Instructions<'env>,
pub(crate) blocks: BTreeMap<&'env str, BlockStack<'template, 'env>>,
#[allow(unused)]
pub(crate) loaded_templates: BTreeSet<&'env str>,
#[cfg(feature = "macros")]
pub(crate) id: isize,
#[cfg(feature = "macros")]
pub(crate) macros: std::sync::Arc<Vec<(&'template Instructions<'env>, usize)>>,
#[cfg(feature = "macros")]
pub(crate) closure_tracker: std::sync::Arc<crate::vm::closure_object::ClosureTracker>,
#[cfg(feature = "fuel")]
pub(crate) fuel_tracker: Option<std::sync::Arc<FuelTracker>>,
}
impl<'template, 'env> fmt::Debug for State<'template, 'env> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
let mut ds = f.debug_struct("State");
ds.field("name", &self.instructions.name());
ds.field("current_block", &self.current_block);
ds.field("auto_escape", &self.auto_escape);
ds.field("ctx", &self.ctx);
ds.field("env", &self.env);
ds.finish()
}
}
impl<'template, 'env> State<'template, 'env> {
/// Creates a new state.
pub(crate) fn new(
env: &'env Environment,
ctx: Context<'env>,
auto_escape: AutoEscape,
instructions: &'template Instructions<'env>,
blocks: BTreeMap<&'env str, BlockStack<'template, 'env>>,
) -> State<'template, 'env> {
State {
#[cfg(feature = "macros")]
id: STATE_ID.fetch_add(1, std::sync::atomic::Ordering::Relaxed),
env,
ctx,
current_block: None,
auto_escape,
instructions,
blocks,
loaded_templates: BTreeSet::new(),
#[cfg(feature = "macros")]
macros: Default::default(),
#[cfg(feature = "macros")]
closure_tracker: Default::default(),
#[cfg(feature = "fuel")]
fuel_tracker: env.fuel().map(FuelTracker::new),
}
}
/// Creates an empty state for an environment.
pub(crate) fn new_for_env(env: &'env Environment) -> State<'env, 'env> {
State::new(
env,
Context::new(env.recursion_limit()),
AutoEscape::None,
&crate::compiler::instructions::EMPTY_INSTRUCTIONS,
BTreeMap::new(),
)
}
/// Returns a reference to the current environment.
#[inline(always)]
pub fn env(&self) -> &Environment<'_> {
self.env
}
/// Returns the name of the current template.
pub fn name(&self) -> &str {
self.instructions.name()
}
/// Returns the current value of the auto escape flag.
#[inline(always)]
pub fn auto_escape(&self) -> AutoEscape {
self.auto_escape
}
/// Returns the current undefined behavior.
#[inline(always)]
pub fn undefined_behavior(&self) -> UndefinedBehavior {
self.env.undefined_behavior()
}
/// Returns the name of the innermost block.
#[inline(always)]
pub fn current_block(&self) -> Option<&str> {
self.current_block
}
/// Looks up a variable by name in the context.
///
/// # Note on Closures
///
/// Macros and call blocks analyze which variables are referenced and
/// create closures for them. This means that unless a variable is defined
/// as a [global](Environment::add_global) in the environment or it was
/// referenced by a macro, this method won't be able to find it.
#[inline(always)]
pub fn lookup(&self, name: &str) -> Option<Value> {
self.ctx.load(self.env, name)
}
/// Looks up a global macro and calls it.
///
/// This looks up a value as [`lookup`](Self::lookup) does and calls it
/// with the passed args.
#[cfg(feature = "macros")]
#[cfg_attr(docsrs, doc(cfg(feature = "macros")))]
pub fn call_macro(&self, name: &str, args: &[Value]) -> Result<String, Error> {
let f = ok!(self.lookup(name).ok_or_else(|| Error::new(
crate::error::ErrorKind::UnknownFunction,
"macro not found"
)));
f.call(self, args).map(Into::into)
}
/// Renders a block with the given name into a string.
///
/// This method works like [`Template::render`](crate::Template::render) but
/// it only renders a specific block in the template. The first argument is
/// the name of the block.
///
/// This renders only the block `hi` in the template:
///
/// ```
/// # use minijinja::{Environment, context};
/// # fn test() -> Result<(), minijinja::Error> {
/// # let mut env = Environment::new();
/// # env.add_template("hello", "{% block hi %}Hello {{ name }}!{% endblock %}")?;
/// let tmpl = env.get_template("hello")?;
/// let rv = tmpl
/// .eval_to_state(context!(name => "John"))?
/// .render_block("hi")?;
/// println!("{}", rv);
/// # Ok(()) }
/// ```
///
/// Note that rendering a block is a stateful operation. If an error
/// is returned the module has to be re-created as the internal state
/// can end up corrupted. This also means you can only render blocks
/// if you have a mutable reference to the state which is not possible
/// from within filters or similar.
#[cfg(feature = "multi_template")]
#[cfg_attr(docsrs, doc(cfg(feature = "multi_template")))]
pub fn render_block(&mut self, block: &str) -> Result<String, Error> {
let mut buf = String::new();
crate::vm::Vm::new(self.env)
.call_block(block, self, &mut Output::with_string(&mut buf))
.map(|_| buf)
}
/// Renders a block with the given name into an [`io::Write`](std::io::Write).
///
/// For details see [`render_block`](Self::render_block).
#[cfg(feature = "multi_template")]
#[cfg_attr(docsrs, doc(cfg(feature = "multi_template")))]
pub fn render_block_to_write<W>(&mut self, block: &str, w: W) -> Result<(), Error>
where
W: std::io::Write,
{
let mut wrapper = crate::output::WriteWrapper { w, err: None };
crate::vm::Vm::new(self.env)
.call_block(block, self, &mut Output::with_write(&mut wrapper))
.map(|_| ())
.map_err(|err| wrapper.take_err(err))
}
/// Returns a list of the names of all exports (top-level variables).
pub fn exports(&self) -> Vec<&str> {
self.ctx.exports().keys().copied().collect()
}
/// Fetches a template by name with path joining.
///
/// This works like [`Environment::get_template`] with the difference that the lookup
/// undergoes path joining. If the environment has a configured path joining callback,
/// it will be invoked with the name of the current template as parent template.
///
/// For more information see [`Environment::set_path_join_callback`].
pub fn get_template(&self, name: &str) -> Result<Template<'env, 'env>, Error> {
self.env
.get_template(&self.env.join_template_path(name, self.name()))
}
/// Invokes a filter with some arguments.
///
/// ```
/// # use minijinja::Environment;
/// # let mut env = Environment::new();
/// # env.add_filter("upper", |x: &str| x.to_uppercase());
/// # let tmpl = env.template_from_str("").unwrap();
/// # let state = tmpl.new_state();
/// let rv = state.apply_filter("upper", &["hello world".into()]).unwrap();
/// assert_eq!(rv.as_str(), Some("HELLO WORLD"));
/// ```
pub fn apply_filter(&self, filter: &str, args: &[Value]) -> Result<Value, Error> {
match self.env.get_filter(filter) {
Some(filter) => filter.apply_to(self, args),
None => Err(Error::from(ErrorKind::UnknownFilter)),
}
}
/// Invokes a test function on a value.
///
/// ```
/// # use minijinja::Environment;
/// # let mut env = Environment::new();
/// # env.add_test("even", |x: i32| x % 2 == 0);
/// # let tmpl = env.template_from_str("").unwrap();
/// # let state = tmpl.new_state();
/// let rv = state.perform_test("even", &[42i32.into()]).unwrap();
/// assert!(rv);
/// ```
pub fn perform_test(&self, test: &str, args: &[Value]) -> Result<bool, Error> {
match self.env.get_test(test) {
Some(test) => test.perform(self, args),
None => Err(Error::from(ErrorKind::UnknownTest)),
}
}
/// Formats a value to a string using the formatter on the environment.
///
/// ```
/// # use minijinja::{value::Value, Environment};
/// # let mut env = Environment::new();
/// # let tmpl = env.template_from_str("").unwrap();
/// # let state = tmpl.new_state();
/// let rv = state.format(Value::from(42)).unwrap();
/// assert_eq!(rv, "42");
/// ```
pub fn format(&self, value: Value) -> Result<String, Error> {
let mut rv = String::new();
let mut out = Output::with_string(&mut rv);
self.env.format(&value, self, &mut out).map(|_| rv)
}
/// Returns the fuel levels.
///
/// When the fuel feature is enabled, during evaluation the template will keep
/// track of how much fuel it has consumed. If the fuel tracker is turned on
/// the returned value will be `Some((consumed, remaining))`. If fuel tracking
/// is not enabled, `None` is returned instead.
#[cfg(feature = "fuel")]
#[cfg_attr(docsrs, doc(cfg(feature = "fuel")))]
pub fn fuel_levels(&self) -> Option<(u64, u64)> {
self.fuel_tracker
.as_ref()
.map(|x| (x.consumed(), x.remaining()))
}
#[cfg(feature = "debug")]
pub(crate) fn make_debug_info(
&self,
pc: usize,
instructions: &Instructions<'_>,
) -> crate::debug::DebugInfo {
crate::debug::DebugInfo {
template_source: Some(instructions.source().to_string()),
referenced_locals: instructions
.get_referenced_names(pc)
.into_iter()
.filter_map(|n| Some((n.to_string(), some!(self.lookup(n)))))
.collect(),
}
}
}
impl<'a> ArgType<'a> for &State<'_, '_> {
type Output = &'a State<'a, 'a>;
fn from_value(_value: Option<&'a Value>) -> Result<Self::Output, Error> {
Err(Error::new(
ErrorKind::InvalidOperation,
"cannot use state type in this position",
))
}
fn from_state_and_value(
state: Option<&'a State>,
_value: Option<&'a Value>,
) -> Result<(Self::Output, usize), Error> {
match state {
None => Err(Error::new(ErrorKind::InvalidOperation, "state unavailable")),
Some(state) => Ok((state, 0)),
}
}
}
/// Tracks a block and it's parents for super.
#[derive(Default)]
pub(crate) struct BlockStack<'template, 'env> {
instructions: Vec<&'template Instructions<'env>>,
depth: usize,
}
impl<'template, 'env> BlockStack<'template, 'env> {
pub fn new(instructions: &'template Instructions<'env>) -> BlockStack<'template, 'env> {
BlockStack {
instructions: vec![instructions],
depth: 0,
}
}
pub fn instructions(&self) -> &'template Instructions<'env> {
self.instructions.get(self.depth).copied().unwrap()
}
pub fn push(&mut self) -> bool {
if self.depth + 1 < self.instructions.len() {
self.depth += 1;
true
} else {
false
}
}
#[track_caller]
pub fn pop(&mut self) {
self.depth = self.depth.checked_sub(1).unwrap()
}
#[cfg(feature = "multi_template")]
pub fn append_instructions(&mut self, instructions: &'template Instructions<'env>) {
self.instructions.push(instructions);
}
}