pub struct Attribute {
    attrs: IndexMap<String, Vec<String>>,
}
Expand description

An Attribute support data to generate HTML attribute markup. @todo IndexMap is needed to ensure working test, as it can have a performance impact this could switch only for tests.

Fields§

§attrs: IndexMap<String, Vec<String>>

Implementations§

source§

impl Attribute

source

pub fn new() -> Self

source

pub fn get_attr(&self, name: &str) -> &[String]

Returns a slice reference to the attribute values for the given name.

If the attribute does not exist, returns an empty slice.

Arguments
  • name - The name of the attribute to retrieve
Returns

A slice reference to the attribute values, or empty slice if not found.

Examples
use dilla_renderer::attribute::Attribute;

let mut attribute = Attribute::new();
attribute.add_attr("class", vec!["foo", "bar"]);

let empty = attribute.get_attr("unknown");
assert!(empty.is_empty());

let class = attribute.get_attr("class");
assert_eq!(class, &["foo", "bar"]);
source

pub fn build_scoped(&mut self, data: &Map<String, Value>)

Build and update HTML attributes based on data, scoped properties.

This function takes data, collect scoped properties, and combines them to generate a final set of HTML attributes. It specifically handles classes, styles, and other attributes.

Arguments
  • data - A reference to a JSON-like data structure (serde_json::Map) that contain attribute information from Payload.
Examples
use dilla_renderer::attribute::Attribute;
use serde_json::{json, Map};

let mut attribute = Attribute::new();
let mut data = Map::new();

data.insert(
  format!("@styles"),
  json!(["style-1", "style-2"]),
);
data.insert(
  format!("@local_variables"),
  json!({"var-1": "#222", "var-2": "#333"}),
);

attribute.build_scoped(&data);

assert!(attribute.has_attribute("class".into()));
assert!(attribute.has_attribute("style".into()));
assert!(attribute.has_class("style-1".into()));
assert!(attribute.has_class("style-2".into()));
attribute.remove_attr_by_name("class");
assert_eq!(attribute.to_string(), " style=\"--var-1: #222; --var-2: #333;\"");
Returns

A modified Attribute object with updated HTML attributes.

source

pub fn build_attributes(&mut self, attributes: &Value)

Process the HTML attributes based on the provided data.

This function extracts and processes the HTML attributes from the given data. It handles class, style, and other attributes from the data payload.

Arguments
  • data - A reference to a serde_json::Map containing the attribute information.
Examples
use dilla_renderer::attribute::Attribute;
use serde_json::{json, Map, Value};

let mut attribute = Attribute::new();
let mut attr = json!({
  "class": ["foo", "bar"],
  "style": "color: blue;",
  "data": "foo",
  "data-bool": true,
  "data-num": 56
});

attribute.build_attributes(&attr);

assert!(attribute.has_attribute("class".into()));
assert!(attribute.has_class("foo".into()));
assert!(attribute.has_class("bar".into()));

attribute.remove_attr_by_name("class");
assert_eq!(attribute.to_string(), " data-num=\"56\" style=\"color: blue;\" data=\"foo\" data-bool=\"true\"");
Returns

A modified Attribute object with updated HTML attributes.

source

pub fn add_attr( &mut self, name: &str, values: impl IntoIterator<Item = impl AsRef<str>> )

Add attributes by name and value. This is used in context of element and internally in this Attribute.

Arguments
  • name - A string slice that represents the name of the attribute.
  • values - An iterable representing the attributes to be added.
Examples
use dilla_renderer::attribute::Attribute;

let mut attribute = Attribute::new();
attribute.add_attr("class", vec!["foo", "bar"]);

assert!(attribute.has_attribute("class".into()));
assert!(attribute.has_class("foo".into()));
assert!(attribute.has_class("bar".into()));
assert!(!attribute.has_class("other".into()));
assert!(!attribute.has_class("unknown".into()));
source

pub fn add_attrs_from_jinja(&mut self, values: &Value)

Adds attributes from a minijinja::value::Value.

This method takes a Value object, which is expected to be an iterable, and loops through each key-value pair. For each key-value pair, it attempts to retrieve the name and values of the attribute. If successful, it calls the add_attr_from_jinja method to add the attribute to the Attribute object.

Arguments
  • values - A minijinja::value::Value representing the attributes to be added.
Examples
use dilla_renderer::attribute::Attribute;
use minijinja::value::Value;

let mut attribute = Attribute::new();
let jinja_attrs = Value::from_iter(vec![
  ("class", Value::from_iter(vec!["foo", "bar"])),
  ("data-id", Value::from("123")),
]);
attribute.add_attrs_from_jinja(&jinja_attrs);

assert!(attribute.has_attribute("class".into()));
assert!(attribute.has_class("foo".into()));
assert!(attribute.has_class("bar".into()));
assert!(!attribute.has_class("other".into()));
assert!(attribute.has_attribute("data-id".into()));
assert!(!attribute.has_attribute("unknown".into()));
source

pub fn add_attr_from_jinja(&mut self, name: &str, values: Value)

Add attributes by name from a minijinja::value::Value. This is used in context of filters |add_class and |set_attribute

Arguments
  • name - A string slice that represents the name of the attribute.
  • values - A minijinja::value::Value representing the attributes to be added.
Examples
use dilla_renderer::attribute::Attribute;
use minijinja::value::Value;
use serde_json::json;

let mut attribute = Attribute::new();

attribute.add_attr_from_jinja("class".into(), Value::from_iter(vec!["foo", "bar"]));
// Note: style as manual input must include formatting.
attribute.add_attr_from_jinja("style".into(), [("--var-1:", "#222;"), ("--var-2:", "#333;")].into_iter().collect());
attribute.add_attr_from_jinja("data-id".into(), Value::from(123));

assert!(attribute.has_attribute("class".into()));
assert!(attribute.has_attribute("style".into()));
assert!(attribute.has_class("foo".into()));
assert!(attribute.has_class("bar".into()));
assert!(!attribute.has_class("other".into()));

assert!(attribute.has_attribute("data-id".into()));
assert!(!attribute.has_attribute("data-unknown".into()));
source

pub fn add_attr_from_serde(&mut self, values: &Value)

Add attributes from an iterable serde_json::Value serialized as [minijinja::value]. This is used for component and element attributes management as we are working with serde_json::value.

Arguments
  • values - A serde_json::Value reference representing the attributes to be added.
Examples
use dilla_renderer::attribute::Attribute;
use serde_json::{json, Map, Value};

let mut attribute = Attribute::new();
let mut serde_attrs = Map::new();
serde_attrs.insert(
  "class".into(),
  json!(["foo", "bar"]),
);
serde_attrs.insert(
  "data-id".into(),
  Value::from(123),
);
attribute.add_attr_from_serde(&Value::from(serde_attrs));

assert!(attribute.has_attribute("class".into()));
assert!(attribute.has_class("foo".into()));
assert!(attribute.has_class("bar".into()));
assert!(!attribute.has_class("other".into()));
assert!(attribute.has_attribute("data-id".into()));
assert!(!attribute.has_attribute("unknown".into()));
source

pub fn merge_attrs_from_jinja(&mut self, values: &Value)

Merges attributes from a minijinja Value map into the current struct.

This takes a minijinja Value that is a Map and extracts any string keys and values, merging them into the existing attributes of this struct.

If an attribute already exists, the new values are appended to the existing Vec of values. Otherwise a new attribute is added with the given values.

Arguments
  • values - The minijinja Value map to extract attributes from
Examples
use dilla_renderer::attribute::Attribute;
use minijinja::value::Value;

let mut attribute = Attribute::new();
let jinja_attrs = Value::from_iter(vec![
  ("class", Value::from_iter(vec!["foo", "bar"])),
  ("data-id", Value::from("123")),
]);
attribute.add_attrs_from_jinja(&jinja_attrs);

assert!(attribute.has_attribute("class".into()));
assert!(attribute.has_class("foo".into()));
assert!(attribute.has_class("bar".into()));
assert_eq!(attribute.get_attr("data-id".into()), &vec!["123".to_string()]);

let merge_attrs = Value::from_iter(vec![
  ("class", Value::from_iter(vec!["alpha", "bar"])),
  ("data-id", Value::from("456")),
  ("data-new", Value::from("new")),
]);
attribute.merge_attrs_from_jinja(&merge_attrs);

assert!(attribute.has_attribute("class".into()));
assert!(attribute.has_class("foo".into()));
assert!(attribute.has_class("bar".into()));
assert!(attribute.has_class("alpha".into()));
assert!(attribute.has_attribute("data-id".into()));
assert_eq!(attribute.get_attr("data-id".into()), &vec!["456".to_string()]);
assert!(attribute.has_attribute("data-new".into()));
source

pub fn remove_attr_by_name(&mut self, name: &str)

Removes the attribute with the specified name from the element.

Arguments
  • name - A string slice representing the name of the attribute to be removed.
Example
use dilla_renderer::attribute::Attribute;

let mut attribute = Attribute::new();
attribute.add_attr("class", vec!["foo"]);
assert!(attribute.has_attribute("class".into()));

attribute.remove_attr_by_name("class");
assert!(!attribute.has_attribute("class".into()));
source

pub fn remove_class_by_name(&mut self, class: &str)

Removes the attribute with the specified name from a minijinja::value::Value. This is used in context of filter |remove_class

Arguments
  • name - A string slice representing the name of the attribute to be checked.
  • values - A minijinja::value::Value representing the attributes to be removed from the name.
Example
use dilla_renderer::attribute::Attribute;
use minijinja::value::Value;

let mut attribute = Attribute::new();
attribute.add_attr("class", vec!["foo", "bar"]);

attribute.remove_class_by_name("bar".into());

assert!(attribute.has_class("foo".into()));
assert!(!attribute.has_class("bar".into()));

attribute.add_attr("class", vec!["some", "other"]);
attribute.remove_class_by_name("foo".into());
attribute.remove_class_by_name("some".into());

assert!(!attribute.has_class("foo".into()));
assert!(!attribute.has_class("some".into()));
assert!(attribute.has_class("other".into()));
source

pub fn has_class(&self, class: Value) -> bool

Check if the element has a specific class name under the ‘class’ attribute. This is used in context of filter |has_class

Arguments
  • class - A minijinja::value::Value representing the class name to check.
Returns
  • bool: true if the attribute has the specified class, false otherwise.
Example
use dilla_renderer::attribute::Attribute;

let mut attribute = Attribute::new();
attribute.add_attr("class", vec!["container"]);
assert!(attribute.has_class("container".into()));
assert!(!attribute.has_class("row".into()));
source

pub fn has_attribute(&self, name: Value) -> bool

Checks if the given attribute name exists. This is used in context of filter |has_attribute

Arguments
  • name: The name of the attribute to check.
Returns
  • bool: true if the attribute exists, false otherwise.
Example
use dilla_renderer::attribute::Attribute;

let mut attribute = Attribute::new();
attribute.add_attr("foo", vec!["bar"]);
assert!(attribute.has_attribute("foo".into()));
assert!(!attribute.has_attribute("bar".into()));

Trait Implementations§

source§

impl Clone for Attribute

source§

fn clone(&self) -> Attribute

Returns a copy of the value. Read more
1.0.0 · source§

fn clone_from(&mut self, source: &Self)

Performs copy-assignment from source. Read more
source§

impl Debug for Attribute

source§

fn fmt(&self, f: &mut Formatter<'_>) -> Result

Formats the value using the given formatter. Read more
source§

impl Default for Attribute

source§

fn default() -> Attribute

Returns the “default value” for a type. Read more
source§

impl<'de> Deserialize<'de> for Attribute

source§

fn deserialize<__D>(__deserializer: __D) -> Result<Self, __D::Error>
where __D: Deserializer<'de>,

Deserialize this value from the given Serde deserializer. Read more
source§

impl Display for Attribute

source§

fn fmt(&self, f: &mut Formatter<'_>) -> Result

Formats the value using the given formatter. Read more
source§

impl From<Attribute> for Value

source§

fn from(attribute: Attribute) -> Self

Converts to this type from the input type.
source§

impl From<Attribute> for Value

source§

fn from(attribute: Attribute) -> Self

Converts to this type from the input type.
source§

impl From<Value> for Attribute

source§

fn from(v: Value) -> Self

Converts to this type from the input type.
source§

impl Object for Attribute

source§

fn call_method( &self, _state: &State<'_, '_>, name: &str, args: &[Value] ) -> Result<Value, Error>

Called when the engine tries to call a method on the object. Read more
§

fn kind(&self) -> ObjectKind<'_>

Describes the kind of an object. Read more
§

fn call(&self, state: &State<'_, '_>, args: &[Value]) -> Result<Value, Error>

Called when the object is invoked directly. Read more
source§

impl Serialize for Attribute

source§

fn serialize<__S>(&self, __serializer: __S) -> Result<__S::Ok, __S::Error>
where __S: Serializer,

Serialize this value into the given Serde serializer. Read more

Auto Trait Implementations§

Blanket Implementations§

source§

impl<T> Any for T
where T: 'static + ?Sized,

source§

fn type_id(&self) -> TypeId

Gets the TypeId of self. Read more
source§

impl<T> Borrow<T> for T
where T: ?Sized,

source§

fn borrow(&self) -> &T

Immutably borrows from an owned value. Read more
source§

impl<T> BorrowMut<T> for T
where T: ?Sized,

source§

fn borrow_mut(&mut self) -> &mut T

Mutably borrows from an owned value. Read more
source§

impl<T> From<T> for T

source§

fn from(t: T) -> T

Returns the argument unchanged.

§

impl<I> FunctionResult for I
where I: Into<Value>,

§

fn into_result(self) -> Result<Value, Error>

source§

impl<T, U> Into<U> for T
where U: From<T>,

source§

fn into(self) -> U

Calls U::from(self).

That is, this conversion is whatever the implementation of From<T> for U chooses to do.

source§

impl<T> ToOwned for T
where T: Clone,

§

type Owned = T

The resulting type after obtaining ownership.
source§

fn to_owned(&self) -> T

Creates owned data from borrowed data, usually by cloning. Read more
source§

fn clone_into(&self, target: &mut T)

Uses borrowed data to replace owned data, usually by cloning. Read more
source§

impl<T> ToString for T
where T: Display + ?Sized,

source§

default fn to_string(&self) -> String

Converts the given value to a String. Read more
source§

impl<T, U> TryFrom<U> for T
where U: Into<T>,

§

type Error = Infallible

The type returned in the event of a conversion error.
source§

fn try_from(value: U) -> Result<T, <T as TryFrom<U>>::Error>

Performs the conversion.
source§

impl<T, U> TryInto<U> for T
where U: TryFrom<T>,

§

type Error = <U as TryFrom<T>>::Error

The type returned in the event of a conversion error.
source§

fn try_into(self) -> Result<U, <U as TryFrom<T>>::Error>

Performs the conversion.
§

impl<V, T> VZip<V> for T
where V: MultiLane<T>,

§

fn vzip(self) -> V

source§

impl<T> DeserializeOwned for T
where T: for<'de> Deserialize<'de>,