mirror of
https://github.com/servo/servo.git
synced 2025-07-12 09:53:40 +01:00
1405 lines
53 KiB
Rust
1405 lines
53 KiB
Rust
/* This Source Code Form is subject to the terms of the Mozilla Public
|
|
* License, v. 2.0. If a copy of the MPL was not distributed with this
|
|
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
|
|
|
|
<%namespace name="helpers" file="/helpers.mako.rs" />
|
|
|
|
// Box-shadow, etc.
|
|
<% data.new_style_struct("Effects", inherited=False) %>
|
|
|
|
${helpers.predefined_type("opacity",
|
|
"Opacity",
|
|
"1.0",
|
|
animatable=True)}
|
|
|
|
<%helpers:vector_longhand name="box-shadow" allow_empty="True" animatable="True">
|
|
use cssparser::{self, ToCss};
|
|
use std::fmt;
|
|
use values::LocalToCss;
|
|
use values::HasViewportPercentage;
|
|
|
|
#[derive(Debug, Clone, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct SpecifiedValue {
|
|
pub offset_x: specified::Length,
|
|
pub offset_y: specified::Length,
|
|
pub blur_radius: specified::Length,
|
|
pub spread_radius: specified::Length,
|
|
pub color: Option<specified::CSSColor>,
|
|
pub inset: bool,
|
|
}
|
|
|
|
impl HasViewportPercentage for SpecifiedValue {
|
|
fn has_viewport_percentage(&self) -> bool {
|
|
self.offset_x.has_viewport_percentage() ||
|
|
self.offset_y.has_viewport_percentage() ||
|
|
self.blur_radius.has_viewport_percentage() ||
|
|
self.spread_radius.has_viewport_percentage()
|
|
}
|
|
}
|
|
|
|
impl ToCss for SpecifiedValue {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
if self.inset {
|
|
try!(dest.write_str("inset "));
|
|
}
|
|
try!(self.blur_radius.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
try!(self.spread_radius.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
try!(self.offset_x.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
try!(self.offset_y.to_css(dest));
|
|
|
|
if let Some(ref color) = self.color {
|
|
try!(dest.write_str(" "));
|
|
try!(color.to_css(dest));
|
|
}
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
pub mod computed_value {
|
|
use app_units::Au;
|
|
use std::fmt;
|
|
use values::computed;
|
|
|
|
#[derive(Clone, PartialEq, Copy, Debug)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct T {
|
|
pub offset_x: Au,
|
|
pub offset_y: Au,
|
|
pub blur_radius: Au,
|
|
pub spread_radius: Au,
|
|
pub color: computed::CSSColor,
|
|
pub inset: bool,
|
|
}
|
|
}
|
|
|
|
impl ToCss for computed_value::T {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
if self.inset {
|
|
try!(dest.write_str("inset "));
|
|
}
|
|
try!(self.blur_radius.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
try!(self.spread_radius.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
try!(self.offset_x.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
try!(self.offset_y.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
try!(self.color.to_css(dest));
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
impl ToComputedValue for SpecifiedValue {
|
|
type ComputedValue = computed_value::T;
|
|
|
|
#[inline]
|
|
fn to_computed_value(&self, context: &Context) -> computed_value::T {
|
|
computed_value::T {
|
|
offset_x: self.offset_x.to_computed_value(context),
|
|
offset_y: self.offset_y.to_computed_value(context),
|
|
blur_radius: self.blur_radius.to_computed_value(context),
|
|
spread_radius: self.spread_radius.to_computed_value(context),
|
|
color: self.color
|
|
.as_ref()
|
|
.map(|color| color.parsed)
|
|
.unwrap_or(cssparser::Color::CurrentColor),
|
|
inset: self.inset,
|
|
}
|
|
}
|
|
}
|
|
|
|
pub fn parse(_context: &ParserContext, input: &mut Parser) -> Result<SpecifiedValue, ()> {
|
|
use app_units::Au;
|
|
let mut lengths = [specified::Length::Absolute(Au(0)); 4];
|
|
let mut lengths_parsed = false;
|
|
let mut color = None;
|
|
let mut inset = false;
|
|
|
|
loop {
|
|
if !inset {
|
|
if input.try(|input| input.expect_ident_matching("inset")).is_ok() {
|
|
inset = true;
|
|
continue
|
|
}
|
|
}
|
|
if !lengths_parsed {
|
|
if let Ok(value) = input.try(specified::Length::parse) {
|
|
lengths[0] = value;
|
|
let mut length_parsed_count = 1;
|
|
while length_parsed_count < 4 {
|
|
if let Ok(value) = input.try(specified::Length::parse) {
|
|
lengths[length_parsed_count] = value
|
|
} else {
|
|
break
|
|
}
|
|
length_parsed_count += 1;
|
|
}
|
|
|
|
// The first two lengths must be specified.
|
|
if length_parsed_count < 2 {
|
|
return Err(())
|
|
}
|
|
|
|
lengths_parsed = true;
|
|
continue
|
|
}
|
|
}
|
|
if color.is_none() {
|
|
if let Ok(value) = input.try(specified::CSSColor::parse) {
|
|
color = Some(value);
|
|
continue
|
|
}
|
|
}
|
|
break
|
|
}
|
|
|
|
// Lengths must be specified.
|
|
if !lengths_parsed {
|
|
return Err(())
|
|
}
|
|
|
|
Ok(SpecifiedValue {
|
|
offset_x: lengths[0],
|
|
offset_y: lengths[1],
|
|
blur_radius: lengths[2],
|
|
spread_radius: lengths[3],
|
|
color: color,
|
|
inset: inset,
|
|
})
|
|
}
|
|
</%helpers:vector_longhand>
|
|
|
|
// FIXME: This prop should be animatable
|
|
<%helpers:longhand name="clip" products="servo" animatable="False">
|
|
use cssparser::ToCss;
|
|
use std::fmt;
|
|
use values::LocalToCss;
|
|
use values::HasViewportPercentage;
|
|
|
|
// NB: `top` and `left` are 0 if `auto` per CSS 2.1 11.1.2.
|
|
|
|
pub mod computed_value {
|
|
use app_units::Au;
|
|
use properties::animated_properties::Interpolate;
|
|
|
|
#[derive(Clone, PartialEq, Eq, Copy, Debug)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct ClipRect {
|
|
pub top: Au,
|
|
pub right: Option<Au>,
|
|
pub bottom: Option<Au>,
|
|
pub left: Au,
|
|
}
|
|
|
|
#[derive(Debug, Clone, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct T(pub Option<ClipRect>);
|
|
|
|
|
|
/// https://drafts.csswg.org/css-transitions/#animtype-rect
|
|
impl Interpolate for ClipRect {
|
|
#[inline]
|
|
fn interpolate(&self, other: &Self, time: f64) -> Result<Self, ()> {
|
|
Ok(ClipRect {
|
|
top: try!(self.top.interpolate(&other.top, time)),
|
|
right: try!(self.right.interpolate(&other.right, time)),
|
|
bottom: try!(self.bottom.interpolate(&other.bottom, time)),
|
|
left: try!(self.left.interpolate(&other.left, time)),
|
|
})
|
|
}
|
|
}
|
|
}
|
|
|
|
impl ToCss for computed_value::T {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
match self.0 {
|
|
None => dest.write_str("auto"),
|
|
Some(rect) => {
|
|
try!(dest.write_str("rect("));
|
|
try!(rect.top.to_css(dest));
|
|
try!(dest.write_str(", "));
|
|
if let Some(right) = rect.right {
|
|
try!(right.to_css(dest));
|
|
try!(dest.write_str(", "));
|
|
} else {
|
|
try!(dest.write_str("auto, "));
|
|
}
|
|
|
|
if let Some(bottom) = rect.bottom {
|
|
try!(bottom.to_css(dest));
|
|
try!(dest.write_str(", "));
|
|
} else {
|
|
try!(dest.write_str("auto, "));
|
|
}
|
|
|
|
try!(rect.left.to_css(dest));
|
|
try!(dest.write_str(")"));
|
|
Ok(())
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
impl HasViewportPercentage for SpecifiedClipRect {
|
|
fn has_viewport_percentage(&self) -> bool {
|
|
self.top.has_viewport_percentage() ||
|
|
self.right.map_or(false, |x| x.has_viewport_percentage()) ||
|
|
self.bottom.map_or(false, |x| x.has_viewport_percentage()) ||
|
|
self.left.has_viewport_percentage()
|
|
}
|
|
}
|
|
|
|
#[derive(Clone, Debug, PartialEq, Copy)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct SpecifiedClipRect {
|
|
pub top: specified::Length,
|
|
pub right: Option<specified::Length>,
|
|
pub bottom: Option<specified::Length>,
|
|
pub left: specified::Length,
|
|
}
|
|
|
|
impl HasViewportPercentage for SpecifiedValue {
|
|
fn has_viewport_percentage(&self) -> bool {
|
|
let &SpecifiedValue(clip) = self;
|
|
clip.map_or(false, |x| x.has_viewport_percentage())
|
|
}
|
|
}
|
|
|
|
#[derive(Clone, Debug, PartialEq, Copy)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct SpecifiedValue(Option<SpecifiedClipRect>);
|
|
|
|
impl ToCss for SpecifiedClipRect {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
try!(dest.write_str("rect("));
|
|
|
|
try!(self.top.to_css(dest));
|
|
try!(dest.write_str(", "));
|
|
|
|
if let Some(right) = self.right {
|
|
try!(right.to_css(dest));
|
|
try!(dest.write_str(", "));
|
|
} else {
|
|
try!(dest.write_str("auto, "));
|
|
}
|
|
|
|
if let Some(bottom) = self.bottom {
|
|
try!(bottom.to_css(dest));
|
|
try!(dest.write_str(", "));
|
|
} else {
|
|
try!(dest.write_str("auto, "));
|
|
}
|
|
|
|
try!(self.left.to_css(dest));
|
|
|
|
try!(dest.write_str(")"));
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
impl ToCss for SpecifiedValue {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
if let Some(ref rect) = self.0 {
|
|
rect.to_css(dest)
|
|
} else {
|
|
dest.write_str("auto")
|
|
}
|
|
}
|
|
}
|
|
|
|
#[inline]
|
|
pub fn get_initial_value() -> computed_value::T {
|
|
computed_value::T(None)
|
|
}
|
|
|
|
impl ToComputedValue for SpecifiedValue {
|
|
type ComputedValue = computed_value::T;
|
|
|
|
#[inline]
|
|
fn to_computed_value(&self, context: &Context) -> computed_value::T {
|
|
computed_value::T(self.0.map(|value| computed_value::ClipRect {
|
|
top: value.top.to_computed_value(context),
|
|
right: value.right.map(|right| right.to_computed_value(context)),
|
|
bottom: value.bottom.map(|bottom| bottom.to_computed_value(context)),
|
|
left: value.left.to_computed_value(context),
|
|
}))
|
|
}
|
|
}
|
|
|
|
pub fn parse(_context: &ParserContext, input: &mut Parser) -> Result<SpecifiedValue, ()> {
|
|
use app_units::Au;
|
|
use std::ascii::AsciiExt;
|
|
use values::specified::Length;
|
|
|
|
fn parse_argument(input: &mut Parser) -> Result<Option<Length>, ()> {
|
|
if input.try(|input| input.expect_ident_matching("auto")).is_ok() {
|
|
Ok(None)
|
|
} else {
|
|
Length::parse(input).map(Some)
|
|
}
|
|
}
|
|
|
|
if input.try(|input| input.expect_ident_matching("auto")).is_ok() {
|
|
return Ok(SpecifiedValue(None))
|
|
}
|
|
if !try!(input.expect_function()).eq_ignore_ascii_case("rect") {
|
|
return Err(())
|
|
}
|
|
|
|
input.parse_nested_block(|input| {
|
|
let top = try!(parse_argument(input));
|
|
let right;
|
|
let bottom;
|
|
let left;
|
|
|
|
if input.try(|input| input.expect_comma()).is_ok() {
|
|
right = try!(parse_argument(input));
|
|
try!(input.expect_comma());
|
|
bottom = try!(parse_argument(input));
|
|
try!(input.expect_comma());
|
|
left = try!(parse_argument(input));
|
|
} else {
|
|
right = try!(parse_argument(input));
|
|
bottom = try!(parse_argument(input));
|
|
left = try!(parse_argument(input));
|
|
}
|
|
Ok(SpecifiedValue(Some(SpecifiedClipRect {
|
|
top: top.unwrap_or(Length::Absolute(Au(0))),
|
|
right: right,
|
|
bottom: bottom,
|
|
left: left.unwrap_or(Length::Absolute(Au(0))),
|
|
})))
|
|
})
|
|
}
|
|
</%helpers:longhand>
|
|
|
|
// FIXME: This prop should be animatable
|
|
<%helpers:longhand name="filter" products="servo" animatable="False">
|
|
//pub use self::computed_value::T as SpecifiedValue;
|
|
use cssparser::ToCss;
|
|
use std::fmt;
|
|
use values::LocalToCss;
|
|
use values::CSSFloat;
|
|
use values::HasViewportPercentage;
|
|
use values::specified::{Angle, Length};
|
|
|
|
impl HasViewportPercentage for SpecifiedValue {
|
|
fn has_viewport_percentage(&self) -> bool {
|
|
let &SpecifiedValue(ref vec) = self;
|
|
vec.iter().any(|ref x| x.has_viewport_percentage())
|
|
}
|
|
}
|
|
|
|
#[derive(Debug, Clone, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct SpecifiedValue(Vec<SpecifiedFilter>);
|
|
|
|
impl HasViewportPercentage for SpecifiedFilter {
|
|
fn has_viewport_percentage(&self) -> bool {
|
|
match *self {
|
|
SpecifiedFilter::Blur(length) => length.has_viewport_percentage(),
|
|
_ => false
|
|
}
|
|
}
|
|
}
|
|
|
|
// TODO(pcwalton): `drop-shadow`
|
|
#[derive(Clone, PartialEq, Debug)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub enum SpecifiedFilter {
|
|
Blur(Length),
|
|
Brightness(CSSFloat),
|
|
Contrast(CSSFloat),
|
|
Grayscale(CSSFloat),
|
|
HueRotate(Angle),
|
|
Invert(CSSFloat),
|
|
Opacity(CSSFloat),
|
|
Saturate(CSSFloat),
|
|
Sepia(CSSFloat),
|
|
}
|
|
|
|
pub mod computed_value {
|
|
use app_units::Au;
|
|
use values::CSSFloat;
|
|
use values::specified::{Angle};
|
|
|
|
#[derive(Clone, PartialEq, Debug)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf, Deserialize, Serialize))]
|
|
pub enum Filter {
|
|
Blur(Au),
|
|
Brightness(CSSFloat),
|
|
Contrast(CSSFloat),
|
|
Grayscale(CSSFloat),
|
|
HueRotate(Angle),
|
|
Invert(CSSFloat),
|
|
Opacity(CSSFloat),
|
|
Saturate(CSSFloat),
|
|
Sepia(CSSFloat),
|
|
}
|
|
|
|
#[derive(Clone, PartialEq, Debug)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf, Deserialize, Serialize))]
|
|
pub struct T { pub filters: Vec<Filter> }
|
|
|
|
impl T {
|
|
/// Creates a new filter pipeline.
|
|
#[inline]
|
|
pub fn new(filters: Vec<Filter>) -> T {
|
|
T
|
|
{
|
|
filters: filters,
|
|
}
|
|
}
|
|
|
|
/// Adds a new filter to the filter pipeline.
|
|
#[inline]
|
|
pub fn push(&mut self, filter: Filter) {
|
|
self.filters.push(filter)
|
|
}
|
|
|
|
/// Returns true if this filter pipeline is empty and false otherwise.
|
|
#[inline]
|
|
pub fn is_empty(&self) -> bool {
|
|
self.filters.is_empty()
|
|
}
|
|
|
|
/// Returns the resulting opacity of this filter pipeline.
|
|
#[inline]
|
|
pub fn opacity(&self) -> CSSFloat {
|
|
let mut opacity = 1.0;
|
|
|
|
for filter in &self.filters {
|
|
if let Filter::Opacity(ref opacity_value) = *filter {
|
|
opacity *= *opacity_value
|
|
}
|
|
}
|
|
opacity
|
|
}
|
|
}
|
|
}
|
|
|
|
impl ToCss for computed_value::T {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
let mut iter = self.filters.iter();
|
|
if let Some(filter) = iter.next() {
|
|
try!(filter.to_css(dest));
|
|
} else {
|
|
try!(dest.write_str("none"));
|
|
return Ok(())
|
|
}
|
|
for filter in iter {
|
|
try!(dest.write_str(" "));
|
|
try!(filter.to_css(dest));
|
|
}
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
impl ToCss for SpecifiedValue {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
let mut iter = self.0.iter();
|
|
if let Some(filter) = iter.next() {
|
|
try!(filter.to_css(dest));
|
|
} else {
|
|
try!(dest.write_str("none"));
|
|
return Ok(())
|
|
}
|
|
for filter in iter {
|
|
try!(dest.write_str(" "));
|
|
try!(filter.to_css(dest));
|
|
}
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
impl ToCss for computed_value::Filter {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
match *self {
|
|
computed_value::Filter::Blur(value) => {
|
|
try!(dest.write_str("blur("));
|
|
try!(value.to_css(dest));
|
|
try!(dest.write_str(")"));
|
|
}
|
|
computed_value::Filter::Brightness(value) => try!(write!(dest, "brightness({})", value)),
|
|
computed_value::Filter::Contrast(value) => try!(write!(dest, "contrast({})", value)),
|
|
computed_value::Filter::Grayscale(value) => try!(write!(dest, "grayscale({})", value)),
|
|
computed_value::Filter::HueRotate(value) => {
|
|
try!(dest.write_str("hue-rotate("));
|
|
try!(value.to_css(dest));
|
|
try!(dest.write_str(")"));
|
|
}
|
|
computed_value::Filter::Invert(value) => try!(write!(dest, "invert({})", value)),
|
|
computed_value::Filter::Opacity(value) => try!(write!(dest, "opacity({})", value)),
|
|
computed_value::Filter::Saturate(value) => try!(write!(dest, "saturate({})", value)),
|
|
computed_value::Filter::Sepia(value) => try!(write!(dest, "sepia({})", value)),
|
|
}
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
impl ToCss for SpecifiedFilter {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
match *self {
|
|
SpecifiedFilter::Blur(value) => {
|
|
try!(dest.write_str("blur("));
|
|
try!(value.to_css(dest));
|
|
try!(dest.write_str(")"));
|
|
}
|
|
SpecifiedFilter::Brightness(value) => try!(write!(dest, "brightness({})", value)),
|
|
SpecifiedFilter::Contrast(value) => try!(write!(dest, "contrast({})", value)),
|
|
SpecifiedFilter::Grayscale(value) => try!(write!(dest, "grayscale({})", value)),
|
|
SpecifiedFilter::HueRotate(value) => {
|
|
try!(dest.write_str("hue-rotate("));
|
|
try!(value.to_css(dest));
|
|
try!(dest.write_str(")"));
|
|
}
|
|
SpecifiedFilter::Invert(value) => try!(write!(dest, "invert({})", value)),
|
|
SpecifiedFilter::Opacity(value) => try!(write!(dest, "opacity({})", value)),
|
|
SpecifiedFilter::Saturate(value) => try!(write!(dest, "saturate({})", value)),
|
|
SpecifiedFilter::Sepia(value) => try!(write!(dest, "sepia({})", value)),
|
|
}
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
#[inline]
|
|
pub fn get_initial_value() -> computed_value::T {
|
|
computed_value::T::new(Vec::new())
|
|
}
|
|
|
|
pub fn parse(_context: &ParserContext, input: &mut Parser) -> Result<SpecifiedValue, ()> {
|
|
let mut filters = Vec::new();
|
|
if input.try(|input| input.expect_ident_matching("none")).is_ok() {
|
|
return Ok(SpecifiedValue(filters))
|
|
}
|
|
loop {
|
|
if let Ok(function_name) = input.try(|input| input.expect_function()) {
|
|
filters.push(try!(input.parse_nested_block(|input| {
|
|
match_ignore_ascii_case! { function_name,
|
|
"blur" => specified::Length::parse_non_negative(input).map(SpecifiedFilter::Blur),
|
|
"brightness" => parse_factor(input).map(SpecifiedFilter::Brightness),
|
|
"contrast" => parse_factor(input).map(SpecifiedFilter::Contrast),
|
|
"grayscale" => parse_factor(input).map(SpecifiedFilter::Grayscale),
|
|
"hue-rotate" => Angle::parse(input).map(SpecifiedFilter::HueRotate),
|
|
"invert" => parse_factor(input).map(SpecifiedFilter::Invert),
|
|
"opacity" => parse_factor(input).map(SpecifiedFilter::Opacity),
|
|
"saturate" => parse_factor(input).map(SpecifiedFilter::Saturate),
|
|
"sepia" => parse_factor(input).map(SpecifiedFilter::Sepia),
|
|
_ => Err(())
|
|
}
|
|
})));
|
|
} else if filters.is_empty() {
|
|
return Err(())
|
|
} else {
|
|
return Ok(SpecifiedValue(filters))
|
|
}
|
|
}
|
|
}
|
|
|
|
fn parse_factor(input: &mut Parser) -> Result<::values::CSSFloat, ()> {
|
|
use cssparser::Token;
|
|
match input.next() {
|
|
Ok(Token::Number(value)) => Ok(value.value),
|
|
Ok(Token::Percentage(value)) => Ok(value.unit_value),
|
|
_ => Err(())
|
|
}
|
|
}
|
|
|
|
impl ToComputedValue for SpecifiedValue {
|
|
type ComputedValue = computed_value::T;
|
|
|
|
fn to_computed_value(&self, context: &Context) -> computed_value::T {
|
|
computed_value::T{ filters: self.0.iter().map(|value| {
|
|
match *value {
|
|
SpecifiedFilter::Blur(factor) =>
|
|
computed_value::Filter::Blur(factor.to_computed_value(context)),
|
|
SpecifiedFilter::Brightness(factor) => computed_value::Filter::Brightness(factor),
|
|
SpecifiedFilter::Contrast(factor) => computed_value::Filter::Contrast(factor),
|
|
SpecifiedFilter::Grayscale(factor) => computed_value::Filter::Grayscale(factor),
|
|
SpecifiedFilter::HueRotate(factor) => computed_value::Filter::HueRotate(factor),
|
|
SpecifiedFilter::Invert(factor) => computed_value::Filter::Invert(factor),
|
|
SpecifiedFilter::Opacity(factor) => computed_value::Filter::Opacity(factor),
|
|
SpecifiedFilter::Saturate(factor) => computed_value::Filter::Saturate(factor),
|
|
SpecifiedFilter::Sepia(factor) => computed_value::Filter::Sepia(factor),
|
|
}
|
|
}).collect() }
|
|
}
|
|
}
|
|
</%helpers:longhand>
|
|
|
|
<%helpers:longhand name="transform" products="servo" animatable="True">
|
|
use app_units::Au;
|
|
use values::CSSFloat;
|
|
use values::HasViewportPercentage;
|
|
|
|
use cssparser::ToCss;
|
|
use std::fmt;
|
|
|
|
pub mod computed_value {
|
|
use values::CSSFloat;
|
|
use values::computed;
|
|
|
|
#[derive(Clone, Copy, Debug, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct ComputedMatrix {
|
|
pub m11: CSSFloat, pub m12: CSSFloat, pub m13: CSSFloat, pub m14: CSSFloat,
|
|
pub m21: CSSFloat, pub m22: CSSFloat, pub m23: CSSFloat, pub m24: CSSFloat,
|
|
pub m31: CSSFloat, pub m32: CSSFloat, pub m33: CSSFloat, pub m34: CSSFloat,
|
|
pub m41: CSSFloat, pub m42: CSSFloat, pub m43: CSSFloat, pub m44: CSSFloat,
|
|
}
|
|
|
|
impl ComputedMatrix {
|
|
pub fn identity() -> ComputedMatrix {
|
|
ComputedMatrix {
|
|
m11: 1.0, m12: 0.0, m13: 0.0, m14: 0.0,
|
|
m21: 0.0, m22: 1.0, m23: 0.0, m24: 0.0,
|
|
m31: 0.0, m32: 0.0, m33: 1.0, m34: 0.0,
|
|
m41: 0.0, m42: 0.0, m43: 0.0, m44: 1.0
|
|
}
|
|
}
|
|
}
|
|
|
|
#[derive(Clone, Debug, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub enum ComputedOperation {
|
|
Matrix(ComputedMatrix),
|
|
Skew(computed::Angle, computed::Angle),
|
|
Translate(computed::LengthOrPercentage,
|
|
computed::LengthOrPercentage,
|
|
computed::Length),
|
|
Scale(CSSFloat, CSSFloat, CSSFloat),
|
|
Rotate(CSSFloat, CSSFloat, CSSFloat, computed::Angle),
|
|
Perspective(computed::Length),
|
|
}
|
|
|
|
#[derive(Clone, Debug, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct T(pub Option<Vec<ComputedOperation>>);
|
|
}
|
|
|
|
pub use self::computed_value::ComputedMatrix as SpecifiedMatrix;
|
|
|
|
fn parse_two_lengths_or_percentages(input: &mut Parser)
|
|
-> Result<(specified::LengthOrPercentage,
|
|
specified::LengthOrPercentage),()> {
|
|
let first = try!(specified::LengthOrPercentage::parse(input));
|
|
let second = input.try(|input| {
|
|
try!(input.expect_comma());
|
|
specified::LengthOrPercentage::parse(input)
|
|
}).unwrap_or(specified::LengthOrPercentage::zero());
|
|
Ok((first, second))
|
|
}
|
|
|
|
fn parse_two_floats(input: &mut Parser) -> Result<(CSSFloat,CSSFloat),()> {
|
|
let first = try!(specified::parse_number(input));
|
|
let second = input.try(|input| {
|
|
try!(input.expect_comma());
|
|
specified::parse_number(input)
|
|
}).unwrap_or(first);
|
|
Ok((first, second))
|
|
}
|
|
|
|
fn parse_two_angles(input: &mut Parser) -> Result<(specified::Angle, specified::Angle),()> {
|
|
let first = try!(specified::Angle::parse(input));
|
|
let second = input.try(|input| {
|
|
try!(input.expect_comma());
|
|
specified::Angle::parse(input)
|
|
}).unwrap_or(specified::Angle(0.0));
|
|
Ok((first, second))
|
|
}
|
|
|
|
#[derive(Copy, Clone, Debug, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
enum TranslateKind {
|
|
Translate,
|
|
TranslateX,
|
|
TranslateY,
|
|
TranslateZ,
|
|
Translate3D,
|
|
}
|
|
|
|
#[derive(Clone, Debug, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
enum SpecifiedOperation {
|
|
Matrix(SpecifiedMatrix),
|
|
Skew(specified::Angle, specified::Angle),
|
|
Translate(TranslateKind,
|
|
specified::LengthOrPercentage,
|
|
specified::LengthOrPercentage,
|
|
specified::Length),
|
|
Scale(CSSFloat, CSSFloat, CSSFloat),
|
|
Rotate(CSSFloat, CSSFloat, CSSFloat, specified::Angle),
|
|
Perspective(specified::Length),
|
|
}
|
|
|
|
impl ToCss for computed_value::T {
|
|
fn to_css<W>(&self, _: &mut W) -> fmt::Result where W: fmt::Write {
|
|
// TODO(pcwalton)
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
impl HasViewportPercentage for SpecifiedOperation {
|
|
fn has_viewport_percentage(&self) -> bool {
|
|
match *self {
|
|
SpecifiedOperation::Translate(_, l1, l2, l3) => {
|
|
l1.has_viewport_percentage() ||
|
|
l2.has_viewport_percentage() ||
|
|
l3.has_viewport_percentage()
|
|
},
|
|
SpecifiedOperation::Perspective(length) => length.has_viewport_percentage(),
|
|
_ => false
|
|
}
|
|
}
|
|
}
|
|
|
|
impl ToCss for SpecifiedOperation {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
match *self {
|
|
// todo(gw): implement serialization for transform
|
|
// types other than translate.
|
|
SpecifiedOperation::Matrix(_m) => {
|
|
Ok(())
|
|
}
|
|
SpecifiedOperation::Skew(_sx, _sy) => {
|
|
Ok(())
|
|
}
|
|
SpecifiedOperation::Translate(kind, tx, ty, tz) => {
|
|
match kind {
|
|
TranslateKind::Translate => {
|
|
try!(dest.write_str("translate("));
|
|
try!(tx.to_css(dest));
|
|
try!(dest.write_str(", "));
|
|
try!(ty.to_css(dest));
|
|
dest.write_str(")")
|
|
}
|
|
TranslateKind::TranslateX => {
|
|
try!(dest.write_str("translateX("));
|
|
try!(tx.to_css(dest));
|
|
dest.write_str(")")
|
|
}
|
|
TranslateKind::TranslateY => {
|
|
try!(dest.write_str("translateY("));
|
|
try!(ty.to_css(dest));
|
|
dest.write_str(")")
|
|
}
|
|
TranslateKind::TranslateZ => {
|
|
try!(dest.write_str("translateZ("));
|
|
try!(tz.to_css(dest));
|
|
dest.write_str(")")
|
|
}
|
|
TranslateKind::Translate3D => {
|
|
try!(dest.write_str("translate3d("));
|
|
try!(tx.to_css(dest));
|
|
try!(dest.write_str(", "));
|
|
try!(ty.to_css(dest));
|
|
try!(dest.write_str(", "));
|
|
try!(tz.to_css(dest));
|
|
dest.write_str(")")
|
|
}
|
|
}
|
|
}
|
|
SpecifiedOperation::Scale(_sx, _sy, _sz) => {
|
|
Ok(())
|
|
}
|
|
SpecifiedOperation::Rotate(_ax, _ay, _az, _angle) => {
|
|
Ok(())
|
|
}
|
|
SpecifiedOperation::Perspective(_p) => {
|
|
Ok(())
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
impl HasViewportPercentage for SpecifiedValue {
|
|
fn has_viewport_percentage(&self) -> bool {
|
|
let &SpecifiedValue(ref specified_ops) = self;
|
|
specified_ops.iter().any(|ref x| x.has_viewport_percentage())
|
|
}
|
|
}
|
|
|
|
#[derive(Clone, Debug, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct SpecifiedValue(Vec<SpecifiedOperation>);
|
|
|
|
impl ToCss for SpecifiedValue {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
let mut first = true;
|
|
for operation in &self.0 {
|
|
if !first {
|
|
try!(dest.write_str(" "));
|
|
}
|
|
first = false;
|
|
try!(operation.to_css(dest))
|
|
}
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
#[inline]
|
|
pub fn get_initial_value() -> computed_value::T {
|
|
computed_value::T(None)
|
|
}
|
|
|
|
pub fn parse(_: &ParserContext, input: &mut Parser) -> Result<SpecifiedValue,()> {
|
|
if input.try(|input| input.expect_ident_matching("none")).is_ok() {
|
|
return Ok(SpecifiedValue(Vec::new()))
|
|
}
|
|
|
|
let mut result = Vec::new();
|
|
loop {
|
|
let name = match input.expect_function() {
|
|
Ok(name) => name,
|
|
Err(_) => break,
|
|
};
|
|
match_ignore_ascii_case! {
|
|
name,
|
|
"matrix" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let values = try!(input.parse_comma_separated(|input| {
|
|
specified::parse_number(input)
|
|
}));
|
|
if values.len() != 6 {
|
|
return Err(())
|
|
}
|
|
result.push(SpecifiedOperation::Matrix(
|
|
SpecifiedMatrix {
|
|
m11: values[0], m12: values[1], m13: 0.0, m14: 0.0,
|
|
m21: values[2], m22: values[3], m23: 0.0, m24: 0.0,
|
|
m31: 0.0, m32: 0.0, m33: 1.0, m34: 0.0,
|
|
m41: values[4], m42: values[5], m43: 0.0, m44: 1.0
|
|
}));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"matrix3d" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let values = try!(input.parse_comma_separated(|input| {
|
|
specified::parse_number(input)
|
|
}));
|
|
if values.len() != 16 {
|
|
return Err(())
|
|
}
|
|
result.push(SpecifiedOperation::Matrix(
|
|
SpecifiedMatrix {
|
|
m11: values[ 0], m12: values[ 1], m13: values[ 2], m14: values[ 3],
|
|
m21: values[ 4], m22: values[ 5], m23: values[ 6], m24: values[ 7],
|
|
m31: values[ 8], m32: values[ 9], m33: values[10], m34: values[11],
|
|
m41: values[12], m42: values[13], m43: values[14], m44: values[15]
|
|
}));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"translate" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let (tx, ty) = try!(parse_two_lengths_or_percentages(input));
|
|
result.push(SpecifiedOperation::Translate(TranslateKind::Translate,
|
|
tx,
|
|
ty,
|
|
specified::Length::Absolute(Au(0))));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"translatex" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let tx = try!(specified::LengthOrPercentage::parse(input));
|
|
result.push(SpecifiedOperation::Translate(
|
|
TranslateKind::TranslateX,
|
|
tx,
|
|
specified::LengthOrPercentage::zero(),
|
|
specified::Length::Absolute(Au(0))));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"translatey" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let ty = try!(specified::LengthOrPercentage::parse(input));
|
|
result.push(SpecifiedOperation::Translate(
|
|
TranslateKind::TranslateY,
|
|
specified::LengthOrPercentage::zero(),
|
|
ty,
|
|
specified::Length::Absolute(Au(0))));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"translatez" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let tz = try!(specified::Length::parse(input));
|
|
result.push(SpecifiedOperation::Translate(
|
|
TranslateKind::TranslateZ,
|
|
specified::LengthOrPercentage::zero(),
|
|
specified::LengthOrPercentage::zero(),
|
|
tz));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"translate3d" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let tx = try!(specified::LengthOrPercentage::parse(input));
|
|
try!(input.expect_comma());
|
|
let ty = try!(specified::LengthOrPercentage::parse(input));
|
|
try!(input.expect_comma());
|
|
let tz = try!(specified::Length::parse(input));
|
|
result.push(SpecifiedOperation::Translate(
|
|
TranslateKind::Translate3D,
|
|
tx,
|
|
ty,
|
|
tz));
|
|
Ok(())
|
|
}))
|
|
|
|
},
|
|
"scale" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let (sx, sy) = try!(parse_two_floats(input));
|
|
result.push(SpecifiedOperation::Scale(sx, sy, 1.0));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"scalex" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let sx = try!(specified::parse_number(input));
|
|
result.push(SpecifiedOperation::Scale(sx, 1.0, 1.0));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"scaley" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let sy = try!(specified::parse_number(input));
|
|
result.push(SpecifiedOperation::Scale(1.0, sy, 1.0));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"scalez" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let sz = try!(specified::parse_number(input));
|
|
result.push(SpecifiedOperation::Scale(1.0, 1.0, sz));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"scale3d" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let sx = try!(specified::parse_number(input));
|
|
try!(input.expect_comma());
|
|
let sy = try!(specified::parse_number(input));
|
|
try!(input.expect_comma());
|
|
let sz = try!(specified::parse_number(input));
|
|
result.push(SpecifiedOperation::Scale(sx, sy, sz));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"rotate" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let theta = try!(specified::Angle::parse(input));
|
|
result.push(SpecifiedOperation::Rotate(0.0, 0.0, 1.0, theta));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"rotatex" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let theta = try!(specified::Angle::parse(input));
|
|
result.push(SpecifiedOperation::Rotate(1.0, 0.0, 0.0, theta));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"rotatey" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let theta = try!(specified::Angle::parse(input));
|
|
result.push(SpecifiedOperation::Rotate(0.0, 1.0, 0.0, theta));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"rotatez" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let theta = try!(specified::Angle::parse(input));
|
|
result.push(SpecifiedOperation::Rotate(0.0, 0.0, 1.0, theta));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"rotate3d" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let ax = try!(specified::parse_number(input));
|
|
try!(input.expect_comma());
|
|
let ay = try!(specified::parse_number(input));
|
|
try!(input.expect_comma());
|
|
let az = try!(specified::parse_number(input));
|
|
try!(input.expect_comma());
|
|
let theta = try!(specified::Angle::parse(input));
|
|
// TODO(gw): Check the axis can be normalized!!
|
|
result.push(SpecifiedOperation::Rotate(ax, ay, az, theta));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"skew" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let (theta_x, theta_y) = try!(parse_two_angles(input));
|
|
result.push(SpecifiedOperation::Skew(theta_x, theta_y));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"skewx" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let theta_x = try!(specified::Angle::parse(input));
|
|
result.push(SpecifiedOperation::Skew(theta_x, specified::Angle(0.0)));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"skewy" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let theta_y = try!(specified::Angle::parse(input));
|
|
result.push(SpecifiedOperation::Skew(specified::Angle(0.0), theta_y));
|
|
Ok(())
|
|
}))
|
|
},
|
|
"perspective" => {
|
|
try!(input.parse_nested_block(|input| {
|
|
let d = try!(specified::Length::parse(input));
|
|
result.push(SpecifiedOperation::Perspective(d));
|
|
Ok(())
|
|
}))
|
|
},
|
|
_ => return Err(())
|
|
}
|
|
}
|
|
|
|
if !result.is_empty() {
|
|
Ok(SpecifiedValue(result))
|
|
} else {
|
|
Err(())
|
|
}
|
|
}
|
|
|
|
impl ToComputedValue for SpecifiedValue {
|
|
type ComputedValue = computed_value::T;
|
|
|
|
#[inline]
|
|
fn to_computed_value(&self, context: &Context) -> computed_value::T {
|
|
if self.0.is_empty() {
|
|
return computed_value::T(None)
|
|
}
|
|
|
|
let mut result = vec!();
|
|
for operation in &self.0 {
|
|
match *operation {
|
|
SpecifiedOperation::Matrix(ref matrix) => {
|
|
result.push(computed_value::ComputedOperation::Matrix(*matrix));
|
|
}
|
|
SpecifiedOperation::Translate(_, ref tx, ref ty, ref tz) => {
|
|
result.push(computed_value::ComputedOperation::Translate(tx.to_computed_value(context),
|
|
ty.to_computed_value(context),
|
|
tz.to_computed_value(context)));
|
|
}
|
|
SpecifiedOperation::Scale(sx, sy, sz) => {
|
|
result.push(computed_value::ComputedOperation::Scale(sx, sy, sz));
|
|
}
|
|
SpecifiedOperation::Rotate(ax, ay, az, theta) => {
|
|
let len = (ax * ax + ay * ay + az * az).sqrt();
|
|
result.push(computed_value::ComputedOperation::Rotate(ax / len, ay / len, az / len, theta));
|
|
}
|
|
SpecifiedOperation::Skew(theta_x, theta_y) => {
|
|
result.push(computed_value::ComputedOperation::Skew(theta_x, theta_y));
|
|
}
|
|
SpecifiedOperation::Perspective(d) => {
|
|
result.push(computed_value::ComputedOperation::Perspective(d.to_computed_value(context)));
|
|
}
|
|
};
|
|
}
|
|
|
|
computed_value::T(Some(result))
|
|
}
|
|
}
|
|
</%helpers:longhand>
|
|
|
|
pub struct OriginParseResult {
|
|
horizontal: Option<specified::LengthOrPercentage>,
|
|
vertical: Option<specified::LengthOrPercentage>,
|
|
depth: Option<specified::Length>
|
|
}
|
|
|
|
pub fn parse_origin(_: &ParserContext, input: &mut Parser) -> Result<OriginParseResult,()> {
|
|
use values::specified::{LengthOrPercentage, Percentage};
|
|
let (mut horizontal, mut vertical, mut depth) = (None, None, None);
|
|
loop {
|
|
if let Err(_) = input.try(|input| {
|
|
let token = try!(input.expect_ident());
|
|
match_ignore_ascii_case! {
|
|
token,
|
|
"left" => {
|
|
if horizontal.is_none() {
|
|
horizontal = Some(LengthOrPercentage::Percentage(Percentage(0.0)))
|
|
} else {
|
|
return Err(())
|
|
}
|
|
},
|
|
"center" => {
|
|
if horizontal.is_none() {
|
|
horizontal = Some(LengthOrPercentage::Percentage(Percentage(0.5)))
|
|
} else if vertical.is_none() {
|
|
vertical = Some(LengthOrPercentage::Percentage(Percentage(0.5)))
|
|
} else {
|
|
return Err(())
|
|
}
|
|
},
|
|
"right" => {
|
|
if horizontal.is_none() {
|
|
horizontal = Some(LengthOrPercentage::Percentage(Percentage(1.0)))
|
|
} else {
|
|
return Err(())
|
|
}
|
|
},
|
|
"top" => {
|
|
if vertical.is_none() {
|
|
vertical = Some(LengthOrPercentage::Percentage(Percentage(0.0)))
|
|
} else {
|
|
return Err(())
|
|
}
|
|
},
|
|
"bottom" => {
|
|
if vertical.is_none() {
|
|
vertical = Some(LengthOrPercentage::Percentage(Percentage(1.0)))
|
|
} else {
|
|
return Err(())
|
|
}
|
|
},
|
|
_ => return Err(())
|
|
}
|
|
Ok(())
|
|
}) {
|
|
match LengthOrPercentage::parse(input) {
|
|
Ok(value) => {
|
|
if horizontal.is_none() {
|
|
horizontal = Some(value);
|
|
} else if vertical.is_none() {
|
|
vertical = Some(value);
|
|
} else if let LengthOrPercentage::Length(length) = value {
|
|
depth = Some(length);
|
|
} else {
|
|
break;
|
|
}
|
|
}
|
|
_ => break,
|
|
}
|
|
}
|
|
}
|
|
|
|
if horizontal.is_some() || vertical.is_some() {
|
|
Ok(OriginParseResult {
|
|
horizontal: horizontal,
|
|
vertical: vertical,
|
|
depth: depth,
|
|
})
|
|
} else {
|
|
Err(())
|
|
}
|
|
}
|
|
|
|
${helpers.single_keyword("backface-visibility",
|
|
"visible hidden",
|
|
animatable=False)}
|
|
|
|
${helpers.single_keyword("transform-box",
|
|
"border-box fill-box view-box",
|
|
products="gecko",
|
|
animatable=False)}
|
|
|
|
${helpers.single_keyword("transform-style",
|
|
"auto flat preserve-3d",
|
|
animatable=False)}
|
|
|
|
<%helpers:longhand name="transform-origin" products="servo" animatable="True">
|
|
use app_units::Au;
|
|
use values::LocalToCss;
|
|
use values::HasViewportPercentage;
|
|
use values::specified::{Length, LengthOrPercentage, Percentage};
|
|
|
|
use cssparser::ToCss;
|
|
use std::fmt;
|
|
|
|
pub mod computed_value {
|
|
use properties::animated_properties::Interpolate;
|
|
use values::computed::{Length, LengthOrPercentage};
|
|
|
|
#[derive(Clone, Copy, Debug, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct T {
|
|
pub horizontal: LengthOrPercentage,
|
|
pub vertical: LengthOrPercentage,
|
|
pub depth: Length,
|
|
}
|
|
|
|
impl Interpolate for T {
|
|
fn interpolate(&self, other: &Self, time: f64) -> Result<Self, ()> {
|
|
Ok(T {
|
|
horizontal: try!(self.horizontal.interpolate(&other.horizontal, time)),
|
|
vertical: try!(self.vertical.interpolate(&other.vertical, time)),
|
|
depth: try!(self.depth.interpolate(&other.depth, time)),
|
|
})
|
|
}
|
|
}
|
|
}
|
|
|
|
impl HasViewportPercentage for SpecifiedValue {
|
|
fn has_viewport_percentage(&self) -> bool {
|
|
self.horizontal.has_viewport_percentage() ||
|
|
self.vertical.has_viewport_percentage() ||
|
|
self.depth.has_viewport_percentage()
|
|
}
|
|
}
|
|
|
|
#[derive(Clone, Copy, Debug, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct SpecifiedValue {
|
|
horizontal: LengthOrPercentage,
|
|
vertical: LengthOrPercentage,
|
|
depth: Length,
|
|
}
|
|
|
|
impl ToCss for computed_value::T {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
try!(self.horizontal.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
try!(self.vertical.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
self.depth.to_css(dest)
|
|
}
|
|
}
|
|
|
|
impl ToCss for SpecifiedValue {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
try!(self.horizontal.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
try!(self.vertical.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
self.depth.to_css(dest)
|
|
}
|
|
}
|
|
|
|
#[inline]
|
|
pub fn get_initial_value() -> computed_value::T {
|
|
computed_value::T {
|
|
horizontal: computed::LengthOrPercentage::Percentage(0.5),
|
|
vertical: computed::LengthOrPercentage::Percentage(0.5),
|
|
depth: Au(0),
|
|
}
|
|
}
|
|
|
|
pub fn parse(context: &ParserContext, input: &mut Parser) -> Result<SpecifiedValue,()> {
|
|
let result = try!(super::parse_origin(context, input));
|
|
Ok(SpecifiedValue {
|
|
horizontal: result.horizontal.unwrap_or(LengthOrPercentage::Percentage(Percentage(0.5))),
|
|
vertical: result.vertical.unwrap_or(LengthOrPercentage::Percentage(Percentage(0.5))),
|
|
depth: result.depth.unwrap_or(Length::Absolute(Au(0))),
|
|
})
|
|
}
|
|
|
|
impl ToComputedValue for SpecifiedValue {
|
|
type ComputedValue = computed_value::T;
|
|
|
|
#[inline]
|
|
fn to_computed_value(&self, context: &Context) -> computed_value::T {
|
|
computed_value::T {
|
|
horizontal: self.horizontal.to_computed_value(context),
|
|
vertical: self.vertical.to_computed_value(context),
|
|
depth: self.depth.to_computed_value(context),
|
|
}
|
|
}
|
|
}
|
|
</%helpers:longhand>
|
|
|
|
${helpers.predefined_type("perspective",
|
|
"LengthOrNone",
|
|
"computed::LengthOrNone::None",
|
|
products="servo",
|
|
animatable=True)}
|
|
|
|
// FIXME: This prop should be animatable
|
|
<%helpers:longhand name="perspective-origin" products="servo" animatable="False">
|
|
use values::HasViewportPercentage;
|
|
use values::specified::{LengthOrPercentage, Percentage};
|
|
|
|
use cssparser::ToCss;
|
|
use std::fmt;
|
|
|
|
pub mod computed_value {
|
|
use values::computed::LengthOrPercentage;
|
|
|
|
#[derive(Clone, Copy, Debug, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct T {
|
|
pub horizontal: LengthOrPercentage,
|
|
pub vertical: LengthOrPercentage,
|
|
}
|
|
}
|
|
|
|
impl ToCss for computed_value::T {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
try!(self.horizontal.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
self.vertical.to_css(dest)
|
|
}
|
|
}
|
|
|
|
impl HasViewportPercentage for SpecifiedValue {
|
|
fn has_viewport_percentage(&self) -> bool {
|
|
self.horizontal.has_viewport_percentage() || self.vertical.has_viewport_percentage()
|
|
}
|
|
}
|
|
|
|
#[derive(Clone, Copy, Debug, PartialEq)]
|
|
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
|
|
pub struct SpecifiedValue {
|
|
horizontal: LengthOrPercentage,
|
|
vertical: LengthOrPercentage,
|
|
}
|
|
|
|
impl ToCss for SpecifiedValue {
|
|
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
|
|
try!(self.horizontal.to_css(dest));
|
|
try!(dest.write_str(" "));
|
|
self.vertical.to_css(dest)
|
|
}
|
|
}
|
|
|
|
#[inline]
|
|
pub fn get_initial_value() -> computed_value::T {
|
|
computed_value::T {
|
|
horizontal: computed::LengthOrPercentage::Percentage(0.5),
|
|
vertical: computed::LengthOrPercentage::Percentage(0.5),
|
|
}
|
|
}
|
|
|
|
pub fn parse(context: &ParserContext, input: &mut Parser) -> Result<SpecifiedValue,()> {
|
|
let result = try!(super::parse_origin(context, input));
|
|
match result.depth {
|
|
Some(_) => Err(()),
|
|
None => Ok(SpecifiedValue {
|
|
horizontal: result.horizontal.unwrap_or(LengthOrPercentage::Percentage(Percentage(0.5))),
|
|
vertical: result.vertical.unwrap_or(LengthOrPercentage::Percentage(Percentage(0.5))),
|
|
})
|
|
}
|
|
}
|
|
|
|
impl ToComputedValue for SpecifiedValue {
|
|
type ComputedValue = computed_value::T;
|
|
|
|
#[inline]
|
|
fn to_computed_value(&self, context: &Context) -> computed_value::T {
|
|
computed_value::T {
|
|
horizontal: self.horizontal.to_computed_value(context),
|
|
vertical: self.vertical.to_computed_value(context),
|
|
}
|
|
}
|
|
}
|
|
</%helpers:longhand>
|
|
|
|
${helpers.single_keyword("mix-blend-mode",
|
|
"""normal multiply screen overlay darken lighten color-dodge
|
|
color-burn hard-light soft-light difference exclusion hue
|
|
saturation color luminosity""", gecko_constant_prefix="NS_STYLE_BLEND",
|
|
animatable=False)}
|