grass/src/value/mod.rs

318 lines
11 KiB
Rust
Raw Normal View History

use std::borrow::Cow;
2020-02-08 16:17:58 -05:00
use std::iter::Iterator;
2020-01-25 09:58:53 -05:00
2020-04-12 19:37:12 -04:00
use codemap::{Span, Spanned};
2020-01-25 09:58:53 -05:00
use crate::color::Color;
use crate::common::{Brackets, ListSeparator, Op, QuoteKind};
2020-02-17 10:27:04 -05:00
use crate::error::SassResult;
use crate::interner::InternedString;
use crate::unit::Unit;
2020-04-19 15:50:22 -04:00
use crate::utils::hex_char_for;
2020-03-30 15:43:15 -04:00
use css_function::is_special_function;
2020-03-30 15:43:15 -04:00
pub(crate) use map::SassMap;
2020-02-08 18:43:18 -05:00
pub(crate) use number::Number;
2020-04-04 21:07:53 -04:00
pub(crate) use sass_function::SassFunction;
2020-01-25 09:58:53 -05:00
mod css_function;
2020-03-30 15:43:15 -04:00
mod map;
2020-02-08 18:43:18 -05:00
mod number;
2020-02-08 16:07:37 -05:00
mod ops;
2020-02-08 16:17:58 -05:00
mod parse;
2020-04-04 21:07:53 -04:00
mod sass_function;
2020-01-25 09:58:53 -05:00
2020-03-30 15:43:15 -04:00
#[derive(Debug, Clone, PartialEq, Eq)]
2020-01-25 09:58:53 -05:00
pub(crate) enum Value {
Important,
True,
False,
Null,
2020-02-08 18:43:18 -05:00
Dimension(Number, Unit),
List(Vec<Value>, ListSeparator, Brackets),
2020-04-21 18:54:19 -04:00
Color(Box<Color>),
2020-03-21 12:14:02 -04:00
UnaryOp(Op, Box<Value>),
2020-01-25 10:54:25 -05:00
BinaryOp(Box<Value>, Op, Box<Value>),
2020-01-25 09:58:53 -05:00
Paren(Box<Value>),
Ident(InternedString, QuoteKind),
2020-03-30 15:43:15 -04:00
Map(SassMap),
2020-04-12 19:37:12 -04:00
ArgList(Vec<Spanned<Value>>),
/// Returned by `get-function()`
Function(SassFunction),
2020-01-25 09:58:53 -05:00
}
fn visit_quoted_string(buf: &mut String, force_double_quote: bool, string: &str) -> SassResult<()> {
let mut has_single_quote = false;
let mut has_double_quote = false;
let mut buffer = String::new();
if force_double_quote {
buffer.push('"');
}
let mut iter = string.chars().peekable();
while let Some(c) = iter.next() {
match c {
'\'' => {
if force_double_quote {
buffer.push('\'');
} else if has_double_quote {
return visit_quoted_string(buf, true, string);
} else {
has_single_quote = true;
buffer.push('\'');
}
}
'"' => {
if force_double_quote {
buffer.push('\\');
buffer.push('"');
} else if has_single_quote {
return visit_quoted_string(buf, true, string);
} else {
has_double_quote = true;
buffer.push('"');
}
}
'\x00'..='\x08' | '\x0A'..='\x1F' => {
buffer.push('\\');
if c as u32 > 0xF {
buffer.push(hex_char_for(c as u32 >> 4))
}
buffer.push(hex_char_for(c as u32 & 0xF));
if iter.peek().is_none() {
break;
}
let next = iter.peek().unwrap();
if next.is_ascii_hexdigit() || next == &' ' || next == &'\t' {
buffer.push(' ');
}
}
'\\' => {
buffer.push('\\');
buffer.push('\\');
}
_ => buffer.push(c),
}
}
if force_double_quote {
buffer.push('"');
} else {
let quote = if has_double_quote { '\'' } else { '"' };
buffer = format!("{}{}{}", quote, buffer, quote);
}
buf.push_str(&buffer);
Ok(())
}
2020-04-12 19:37:12 -04:00
impl Value {
2020-04-19 00:39:18 -04:00
pub fn is_null(&self, span: Span) -> SassResult<bool> {
Ok(match self {
&Value::Null => true,
Value::Ident(i, QuoteKind::None) if i.is_empty() => true,
2020-04-19 00:39:18 -04:00
Self::BinaryOp(..) | Self::Paren(..) | Self::UnaryOp(..) => {
self.clone().eval(span)?.is_null(span)?
2020-04-19 00:39:18 -04:00
}
Self::List(v, _, Brackets::Bracketed) if v.is_empty() => false,
Self::List(v, ..) => v.iter().all(|f| f.is_null(span).unwrap()),
_ => false,
})
2020-04-12 19:37:12 -04:00
}
pub fn to_css_string(&self, span: Span) -> SassResult<Cow<'static, str>> {
2020-04-12 19:37:12 -04:00
Ok(match self {
Self::Important => Cow::Borrowed("!important"),
2020-03-16 21:29:00 -04:00
Self::Dimension(num, unit) => match unit {
2020-03-18 20:11:14 -04:00
Unit::Mul(..) => {
return Err((format!("{}{} isn't a valid CSS value.", num, unit), span).into());
2020-03-16 21:29:00 -04:00
}
_ => Cow::Owned(format!("{}{}", num, unit)),
2020-03-16 21:29:00 -04:00
},
Self::Map(..) => {
return Err((
2020-04-19 00:39:18 -04:00
format!("{} isn't a valid CSS value.", self.inspect(span)?),
span,
)
.into())
}
2020-04-26 23:11:04 -04:00
Self::Function(..) => {
return Err((
format!("{} isn't a valid CSS value.", self.inspect(span)?),
span,
)
.into())
}
Self::List(vals, sep, brackets) => match brackets {
Brackets::None => Cow::Owned(
vals.iter()
2020-04-19 00:39:18 -04:00
.filter(|x| !x.is_null(span).unwrap())
2020-04-12 19:37:12 -04:00
.map(|x| x.to_css_string(span))
.collect::<SassResult<Vec<Cow<'static, str>>>>()?
.join(sep.as_str()),
),
Brackets::Bracketed => Cow::Owned(format!(
"[{}]",
vals.iter()
.filter(|x| !x.is_null(span).unwrap())
.map(|x| x.to_css_string(span))
.collect::<SassResult<Vec<Cow<'static, str>>>>()?
.join(sep.as_str()),
)),
},
Self::Color(c) => Cow::Owned(c.to_string()),
2020-04-12 19:37:12 -04:00
Self::UnaryOp(..) | Self::BinaryOp(..) => {
2020-04-21 18:22:26 -04:00
self.clone().eval(span)?.to_css_string(span)?
2020-04-12 19:37:12 -04:00
}
2020-04-21 18:22:26 -04:00
Self::Paren(val) => val.to_css_string(span)?,
Self::Ident(string, QuoteKind::None) => {
let string = string.resolve();
let mut after_newline = false;
let mut buf = String::with_capacity(string.len());
for c in string.chars() {
match c {
'\n' => {
buf.push(' ');
after_newline = true;
}
' ' => {
if !after_newline {
buf.push(' ');
}
}
_ => {
buf.push(c);
after_newline = false;
}
}
}
Cow::Owned(buf)
}
Self::Ident(string, QuoteKind::Quoted) => {
let string = string.resolve();
let mut buf = String::with_capacity(string.len());
visit_quoted_string(&mut buf, false, &string)?;
Cow::Owned(buf)
}
Self::True => Cow::Borrowed("true"),
Self::False => Cow::Borrowed("false"),
Self::Null => Cow::Borrowed(""),
Self::ArgList(args) => Cow::Owned(
args.iter()
.filter(|x| !x.is_null(span).unwrap())
.map(|a| Ok(a.node.to_css_string(span)?.into()))
.collect::<SassResult<Vec<String>>>()?
.join(", "),
),
2020-04-12 19:37:12 -04:00
})
2020-01-26 15:04:16 -05:00
}
2020-04-12 19:37:12 -04:00
pub fn is_true(&self, span: Span) -> SassResult<bool> {
2020-02-08 16:01:21 -05:00
match self {
2020-02-17 10:27:04 -05:00
Value::Null | Value::False => Ok(false),
Self::BinaryOp(..) | Self::Paren(..) | Self::UnaryOp(..) => {
2020-04-12 19:37:12 -04:00
self.clone().eval(span)?.is_true(span)
}
2020-02-17 10:27:04 -05:00
_ => Ok(true),
2020-02-08 16:01:21 -05:00
}
2020-01-25 09:58:53 -05:00
}
pub fn unquote(self) -> Self {
match self {
Self::Ident(s1, _) => Self::Ident(s1, QuoteKind::None),
2020-04-19 22:54:56 -04:00
Self::List(v, sep, bracket) => {
2020-04-21 18:22:26 -04:00
Self::List(v.into_iter().map(Value::unquote).collect(), sep, bracket)
2020-04-19 22:54:56 -04:00
}
v => v,
}
2020-01-25 09:58:53 -05:00
}
2020-04-21 18:22:26 -04:00
pub const fn span(self, span: Span) -> Spanned<Self> {
2020-04-12 19:37:12 -04:00
Spanned { node: self, span }
}
pub fn kind(&self, span: Span) -> SassResult<&'static str> {
2020-02-03 07:56:21 -05:00
match self {
2020-03-23 15:13:19 -04:00
Self::Color(..) => Ok("color"),
Self::Ident(..) | Self::Important => Ok("string"),
Self::Dimension(..) => Ok("number"),
Self::List(..) => Ok("list"),
Self::Function(..) => Ok("function"),
2020-04-02 13:33:26 -04:00
Self::ArgList(..) => Ok("arglist"),
2020-03-23 15:13:19 -04:00
Self::True | Self::False => Ok("bool"),
Self::Null => Ok("null"),
2020-03-30 15:43:15 -04:00
Self::Map(..) => Ok("map"),
2020-04-12 19:37:12 -04:00
Self::BinaryOp(..) | Self::Paren(..) | Self::UnaryOp(..) => {
self.clone().eval(span)?.kind(span)
}
2020-02-03 07:56:21 -05:00
}
}
pub fn is_special_function(&self) -> bool {
match self {
Self::Ident(s, QuoteKind::None) => is_special_function(s.resolve_ref()),
_ => false,
}
}
2020-02-08 15:53:49 -05:00
pub fn bool(b: bool) -> Self {
if b {
Value::True
} else {
Value::False
}
}
// TODO:
// https://github.com/sass/dart-sass/blob/d4adea7569832f10e3a26d0e420ae51640740cfb/lib/src/ast/sass/expression/list.dart#L39
2020-05-06 11:50:35 -04:00
pub fn inspect(&self, span: Span) -> SassResult<Cow<'static, str>> {
2020-04-12 19:37:12 -04:00
Ok(match self {
2020-04-06 00:27:09 -04:00
Value::List(v, _, brackets) if v.is_empty() => match brackets {
2020-05-06 11:50:35 -04:00
Brackets::None => Cow::Borrowed("()"),
Brackets::Bracketed => Cow::Borrowed("[]"),
2020-04-06 00:27:09 -04:00
},
2020-04-20 02:55:55 -04:00
Value::List(v, sep, brackets) if v.len() == 1 => match brackets {
Brackets::None => match sep {
2020-04-21 18:22:26 -04:00
ListSeparator::Space => v[0].inspect(span)?,
2020-05-06 11:50:35 -04:00
ListSeparator::Comma => Cow::Owned(format!("({},)", v[0].inspect(span)?)),
2020-04-20 02:55:55 -04:00
},
Brackets::Bracketed => match sep {
2020-05-06 11:50:35 -04:00
ListSeparator::Space => Cow::Owned(format!("[{}]", v[0].inspect(span)?)),
ListSeparator::Comma => Cow::Owned(format!("[{},]", v[0].inspect(span)?)),
2020-04-20 02:55:55 -04:00
},
},
2020-05-06 11:50:35 -04:00
Self::List(vals, sep, brackets) => Cow::Owned(match brackets {
2020-04-21 18:22:26 -04:00
Brackets::None => vals
.iter()
.map(|x| x.inspect(span))
2020-05-06 11:50:35 -04:00
.collect::<SassResult<Vec<Cow<'static, str>>>>()?
2020-04-21 18:22:26 -04:00
.join(sep.as_str()),
Brackets::Bracketed => format!(
"[{}]",
vals.iter()
.map(|x| x.inspect(span))
2020-05-06 11:50:35 -04:00
.collect::<SassResult<Vec<Cow<'static, str>>>>()?
.join(sep.as_str()),
),
2020-05-06 11:50:35 -04:00
}),
Value::Function(f) => Cow::Owned(format!("get-function(\"{}\")", f.name())),
Value::Null => Cow::Borrowed("null"),
Value::Map(map) => Cow::Owned(format!(
"({})",
map.iter()
.map(|(k, v)| Ok(format!(
"{}: {}",
k.to_css_string(span)?,
v.to_css_string(span)?
)))
.collect::<SassResult<Vec<String>>>()?
.join(", ")
2020-05-06 11:50:35 -04:00
)),
Value::Paren(v) => v.inspect(span)?,
2020-05-06 11:50:35 -04:00
v => v.to_css_string(span)?,
2020-04-12 19:37:12 -04:00
})
2020-04-06 00:27:09 -04:00
}
2020-01-25 09:58:53 -05:00
}