summaryrefslogtreecommitdiff
path: root/src/library
diff options
context:
space:
mode:
authorLaurenz <laurmaedje@gmail.com>2021-08-31 12:59:53 +0200
committerLaurenz <laurmaedje@gmail.com>2021-08-31 12:59:53 +0200
commit3481d8cc81a2b3a14118869c7f0ffe204ff3efc8 (patch)
tree907efa2e092366a24e25243854b1a4e088cc04a9 /src/library
parentee84bf74083f5b9cc88a2a0a968dc905b1eef22c (diff)
More utility functions
- join("a", "b", "c", sep: ", ") - int("12") - float("31.4e-1") - str(10) - sorted((3, 2, 1))
Diffstat (limited to 'src/library')
-rw-r--r--src/library/mod.rs13
-rw-r--r--src/library/utility.rs113
2 files changed, 99 insertions, 27 deletions
diff --git a/src/library/mod.rs b/src/library/mod.rs
index ca99d43b..102291cc 100644
--- a/src/library/mod.rs
+++ b/src/library/mod.rs
@@ -17,8 +17,8 @@ use std::convert::TryFrom;
use std::rc::Rc;
use crate::color::{Color, RgbaColor};
-use crate::diag::TypResult;
-use crate::eval::{Arguments, EvalContext, Scope, State, Str, Template, Value};
+use crate::diag::{At, TypResult};
+use crate::eval::{Arguments, Array, EvalContext, Scope, State, Str, Template, Value};
use crate::font::{FontFamily, FontStretch, FontStyle, FontWeight, VerticalFontMetric};
use crate::geom::*;
use crate::layout::LayoutNode;
@@ -59,13 +59,18 @@ pub fn new() -> Scope {
// Utility.
std.def_func("type", type_);
std.def_func("repr", repr);
- std.def_func("len", len);
- std.def_func("rgb", rgb);
+ std.def_func("join", join);
+ std.def_func("int", int);
+ std.def_func("float", float);
+ std.def_func("str", str);
std.def_func("abs", abs);
std.def_func("min", min);
std.def_func("max", max);
+ std.def_func("rgb", rgb);
std.def_func("lower", lower);
std.def_func("upper", upper);
+ std.def_func("len", len);
+ std.def_func("sorted", sorted);
// Colors.
std.def_const("white", RgbaColor::WHITE);
diff --git a/src/library/utility.rs b/src/library/utility.rs
index 0ece88ac..19dfc3ec 100644
--- a/src/library/utility.rs
+++ b/src/library/utility.rs
@@ -15,34 +15,65 @@ pub fn repr(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
Ok(args.expect::<Value>("value")?.to_string().into())
}
-/// `len`: The length of a string, an array or a dictionary.
-pub fn len(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
- let Spanned { v, span } = args.expect("collection")?;
+/// `join`: Join a sequence of values, optionally interspersing it with another
+/// value.
+pub fn join(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
+ let span = args.span;
+ let sep = args.named::<Value>("sep")?.unwrap_or(Value::None);
+
+ let mut result = Value::None;
+ let mut iter = args.all::<Value>();
+
+ if let Some(first) = iter.next() {
+ result = first;
+ }
+
+ for value in iter {
+ result = result.join(sep.clone()).at(span)?;
+ result = result.join(value).at(span)?;
+ }
+
+ Ok(result)
+}
+
+/// `int`: Try to convert a value to a integer.
+pub fn int(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
+ let Spanned { v, span } = args.expect("value")?;
Ok(Value::Int(match v {
- Value::Str(v) => v.len(),
- Value::Array(v) => v.len(),
- Value::Dict(v) => v.len(),
- _ => bail!(span, "expected string, array or dictionary"),
+ Value::Bool(v) => v as i64,
+ Value::Int(v) => v,
+ Value::Float(v) => v as i64,
+ Value::Str(v) => match v.parse() {
+ Ok(v) => v,
+ Err(_) => bail!(span, "invalid integer"),
+ },
+ v => bail!(span, "cannot convert {} to integer", v.type_name()),
}))
}
-/// `rgb`: Create an RGB(A) color.
-pub fn rgb(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
- Ok(Value::Color(Color::Rgba(
- if let Some(string) = args.eat::<Spanned<Str>>() {
- match RgbaColor::from_str(&string.v) {
- Ok(color) => color,
- Err(_) => bail!(string.span, "invalid color"),
- }
- } else {
- let r = args.expect("red component")?;
- let g = args.expect("green component")?;
- let b = args.expect("blue component")?;
- let a = args.eat().unwrap_or(1.0);
- let f = |v: f64| (v.clamp(0.0, 1.0) * 255.0).round() as u8;
- RgbaColor::new(f(r), f(g), f(b), f(a))
+/// `float`: Try to convert a value to a float.
+pub fn float(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
+ let Spanned { v, span } = args.expect("value")?;
+ Ok(Value::Float(match v {
+ Value::Int(v) => v as f64,
+ Value::Float(v) => v,
+ Value::Str(v) => match v.parse() {
+ Ok(v) => v,
+ Err(_) => bail!(span, "invalid float"),
},
- )))
+ v => bail!(span, "cannot convert {} to float", v.type_name()),
+ }))
+}
+
+/// `str`: Try to convert a value to a string.
+pub fn str(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
+ let Spanned { v, span } = args.expect("value")?;
+ Ok(Value::Str(match v {
+ Value::Int(v) => format_str!("{}", v),
+ Value::Float(v) => format_str!("{}", v),
+ Value::Str(v) => v,
+ v => bail!(span, "cannot convert {} to string", v.type_name()),
+ }))
}
/// `abs`: The absolute value of a numeric value.
@@ -91,6 +122,25 @@ fn minmax(args: &mut Arguments, goal: Ordering) -> TypResult<Value> {
Ok(extremum)
}
+/// `rgb`: Create an RGB(A) color.
+pub fn rgb(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
+ Ok(Value::Color(Color::Rgba(
+ if let Some(string) = args.eat::<Spanned<Str>>() {
+ match RgbaColor::from_str(&string.v) {
+ Ok(color) => color,
+ Err(_) => bail!(string.span, "invalid color"),
+ }
+ } else {
+ let r = args.expect("red component")?;
+ let g = args.expect("green component")?;
+ let b = args.expect("blue component")?;
+ let a = args.eat().unwrap_or(1.0);
+ let f = |v: f64| (v.clamp(0.0, 1.0) * 255.0).round() as u8;
+ RgbaColor::new(f(r), f(g), f(b), f(a))
+ },
+ )))
+}
+
/// `lower`: Convert a string to lowercase.
pub fn lower(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
Ok(args.expect::<Str>("string")?.to_lowercase().into())
@@ -100,3 +150,20 @@ pub fn lower(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
pub fn upper(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
Ok(args.expect::<Str>("string")?.to_uppercase().into())
}
+
+/// `len`: The length of a string, an array or a dictionary.
+pub fn len(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
+ let Spanned { v, span } = args.expect("collection")?;
+ Ok(Value::Int(match v {
+ Value::Str(v) => v.len(),
+ Value::Array(v) => v.len(),
+ Value::Dict(v) => v.len(),
+ _ => bail!(span, "expected string, array or dictionary"),
+ }))
+}
+
+/// `sorted`: The sorted version of an array.
+pub fn sorted(_: &mut EvalContext, args: &mut Arguments) -> TypResult<Value> {
+ let Spanned { v, span } = args.expect::<Spanned<Array>>("array")?;
+ Ok(Value::Array(v.sorted().at(span)?))
+}