1
use cssparser::Parser;
2
use markup5ever::{expanded_name, local_name, namespace_url, ns};
3
use nalgebra::{DMatrix, Dyn, VecStorage};
4
use xml5ever::QualName;
5

            
6
use crate::bench_only::{
7
    EdgeMode, ExclusiveImageSurface, ImageSurfaceDataExt, Pixel, PixelRectangle, Pixels,
8
};
9
use crate::document::AcquiredNodes;
10
use crate::drawing_ctx::DrawingCtx;
11
use crate::element::{set_attribute, ElementTrait};
12
use crate::error::*;
13
use crate::node::{CascadedValues, Node};
14
use crate::parse_identifiers;
15
use crate::parsers::{CommaSeparatedList, NumberOptionalNumber, Parse, ParseValue};
16
use crate::properties::ColorInterpolationFilters;
17
use crate::rect::IRect;
18
use crate::rsvg_log;
19
use crate::session::Session;
20
use crate::util::clamp;
21
use crate::xml::Attributes;
22

            
23
use super::bounds::BoundsBuilder;
24
use super::context::{FilterContext, FilterOutput};
25
use super::{
26
    FilterEffect, FilterError, FilterResolveError, Input, Primitive, PrimitiveParams,
27
    ResolvedPrimitive,
28
};
29

            
30
/// The `feConvolveMatrix` filter primitive.
31
31
#[derive(Default)]
32
pub struct FeConvolveMatrix {
33
31
    base: Primitive,
34
31
    params: ConvolveMatrix,
35
}
36

            
37
/// Resolved `feConvolveMatrix` primitive for rendering.
38
64
#[derive(Clone)]
39
pub struct ConvolveMatrix {
40
32
    in1: Input,
41
32
    order: NumberOptionalNumber<u32>,
42
32
    kernel_matrix: CommaSeparatedList<f64, 0, 400>, // #691: Limit list to 400 (20x20) to mitigate malicious SVGs
43
32
    divisor: f64,
44
32
    bias: f64,
45
32
    target_x: Option<u32>,
46
32
    target_y: Option<u32>,
47
32
    edge_mode: EdgeMode,
48
32
    kernel_unit_length: KernelUnitLength,
49
32
    preserve_alpha: bool,
50
32
    color_interpolation_filters: ColorInterpolationFilters,
51
}
52

            
53
450
#[derive(Clone, Default)]
54
225
pub struct KernelUnitLength(pub Option<(f64, f64)>);
55

            
56
impl KernelUnitLength {
57
5
    pub fn from_attribute(attr: &QualName, value: &str, session: &Session) -> Result<Self, ()> {
58
5
        let v: Result<NumberOptionalNumber<f64>, _> = attr.parse(value);
59
5
        match v {
60
5
            Ok(NumberOptionalNumber(x, y)) if x > 0.0 && y > 0.0 => {
61
5
                Ok(KernelUnitLength(Some((x, y))))
62
5
            } // Only accept positive values
63
            Ok(_) => {
64
                rsvg_log!(session, "ignoring attribute with non-positive values");
65
                Err(())
66
            }
67
            Err(e) => {
68
                rsvg_log!(session, "ignoring attribute with invalid value: {}", e);
69
                Err(())
70
            }
71
        }
72
5
    }
73
}
74

            
75
impl Default for ConvolveMatrix {
76
    /// Constructs a new `ConvolveMatrix` with empty properties.
77
    #[inline]
78
31
    fn default() -> ConvolveMatrix {
79
31
        ConvolveMatrix {
80
31
            in1: Default::default(),
81
            order: NumberOptionalNumber(3, 3),
82
31
            kernel_matrix: CommaSeparatedList(Vec::new()),
83
            divisor: 0.0,
84
            bias: 0.0,
85
31
            target_x: None,
86
31
            target_y: None,
87
            // Note that per the spec, `edgeMode` has a different initial value
88
            // in feConvolveMatrix than feGaussianBlur.
89
31
            edge_mode: EdgeMode::Duplicate,
90
31
            kernel_unit_length: KernelUnitLength::default(),
91
            preserve_alpha: false,
92
31
            color_interpolation_filters: Default::default(),
93
        }
94
31
    }
95
}
96

            
97
impl ElementTrait for FeConvolveMatrix {
98
31
    fn set_attributes(&mut self, attrs: &Attributes, session: &Session) {
99
31
        self.params.in1 = self.base.parse_one_input(attrs, session);
100

            
101
133
        for (attr, value) in attrs.iter() {
102
102
            match attr.expanded() {
103
                expanded_name!("", "order") => {
104
14
                    set_attribute(&mut self.params.order, attr.parse(value), session)
105
                }
106
                expanded_name!("", "kernelMatrix") => {
107
30
                    set_attribute(&mut self.params.kernel_matrix, attr.parse(value), session)
108
                }
109
                expanded_name!("", "divisor") => {
110
3
                    set_attribute(&mut self.params.divisor, attr.parse(value), session)
111
                }
112
                expanded_name!("", "bias") => {
113
2
                    set_attribute(&mut self.params.bias, attr.parse(value), session)
114
                }
115
                expanded_name!("", "targetX") => {
116
3
                    set_attribute(&mut self.params.target_x, attr.parse(value), session)
117
                }
118
                expanded_name!("", "targetY") => {
119
3
                    set_attribute(&mut self.params.target_y, attr.parse(value), session)
120
                }
121
                expanded_name!("", "edgeMode") => {
122
15
                    set_attribute(&mut self.params.edge_mode, attr.parse(value), session)
123
                }
124
3
                expanded_name!("", "kernelUnitLength") => {
125
3
                    self.params.kernel_unit_length =
126
3
                        KernelUnitLength::from_attribute(&attr, value, session).unwrap_or_default();
127
                }
128
                expanded_name!("", "preserveAlpha") => {
129
14
                    set_attribute(&mut self.params.preserve_alpha, attr.parse(value), session);
130
                }
131

            
132
                _ => (),
133
            }
134
102
        }
135
31
    }
136
}
137

            
138
impl ConvolveMatrix {
139
32
    pub fn render(
140
        &self,
141
        bounds_builder: BoundsBuilder,
142
        ctx: &FilterContext,
143
        acquired_nodes: &mut AcquiredNodes<'_>,
144
        draw_ctx: &mut DrawingCtx,
145
    ) -> Result<FilterOutput, FilterError> {
146
        #![allow(clippy::many_single_char_names)]
147

            
148
64
        let input_1 = ctx.get_input(
149
            acquired_nodes,
150
            draw_ctx,
151
32
            &self.in1,
152
32
            self.color_interpolation_filters,
153
        )?;
154
32
        let mut bounds: IRect = bounds_builder
155
            .add_input(&input_1)
156
            .compute(ctx)
157
            .clipped
158
            .into();
159
32
        let original_bounds = bounds;
160

            
161
32
        let target_x = match self.target_x {
162
3
            Some(x) if x >= self.order.0 => {
163
                return Err(FilterError::InvalidParameter(
164
                    "targetX must be less than orderX".to_string(),
165
                ))
166
            }
167
3
            Some(x) => x,
168
29
            None => self.order.0 / 2,
169
        };
170

            
171
32
        let target_y = match self.target_y {
172
3
            Some(y) if y >= self.order.1 => {
173
                return Err(FilterError::InvalidParameter(
174
                    "targetY must be less than orderY".to_string(),
175
                ))
176
            }
177
3
            Some(y) => y,
178
29
            None => self.order.1 / 2,
179
        };
180

            
181
37
        let mut input_surface = if self.preserve_alpha {
182
            // preserve_alpha means we need to premultiply and unpremultiply the values.
183
5
            input_1.surface().unpremultiply(bounds)?
184
        } else {
185
27
            input_1.surface().clone()
186
        };
187

            
188
32
        let scale = self
189
            .kernel_unit_length
190
            .0
191
3
            .map(|(dx, dy)| ctx.paffine().transform_distance(dx, dy));
192

            
193
35
        if let Some((ox, oy)) = scale {
194
            // Scale the input surface to match kernel_unit_length.
195
3
            let (new_surface, new_bounds) = input_surface.scale(bounds, 1.0 / ox, 1.0 / oy)?;
196

            
197
3
            input_surface = new_surface;
198
3
            bounds = new_bounds;
199
3
        }
200

            
201
32
        let cols = self.order.0 as usize;
202
32
        let rows = self.order.1 as usize;
203
32
        let number_of_elements = cols * rows;
204
32
        let numbers = self.kernel_matrix.0.clone();
205

            
206
32
        if numbers.len() != number_of_elements && numbers.len() != 400 {
207
            // "If the result of orderX * orderY is not equal to the the number of entries
208
            // in the value list, the filter primitive acts as a pass through filter."
209
            //
210
            // https://drafts.fxtf.org/filter-effects/#element-attrdef-feconvolvematrix-kernelmatrix
211
            rsvg_log!(
212
                draw_ctx.session(),
213
                "feConvolveMatrix got {} elements when it expected {}; ignoring it",
214
                numbers.len(),
215
                number_of_elements
216
            );
217
            return Ok(FilterOutput {
218
                surface: input_1.surface().clone(),
219
                bounds: original_bounds,
220
            });
221
        }
222

            
223
32
        let matrix = DMatrix::from_data(VecStorage::new(Dyn(rows), Dyn(cols), numbers));
224

            
225
32
        let divisor = if self.divisor != 0.0 {
226
1
            self.divisor
227
        } else {
228
31
            let d = matrix.iter().sum();
229

            
230
31
            if d != 0.0 {
231
38
                d
232
            } else {
233
21
                1.0
234
14
            }
235
        };
236

            
237
32
        let mut surface = ExclusiveImageSurface::new(
238
32
            input_surface.width(),
239
32
            input_surface.height(),
240
32
            input_1.surface().surface_type(),
241
        )?;
242

            
243
64
        surface.modify(&mut |data, stride| {
244
188849
            for (x, y, pixel) in Pixels::within(&input_surface, bounds) {
245
                // Compute the convolution rectangle bounds.
246
188817
                let kernel_bounds = IRect::new(
247
188817
                    x as i32 - target_x as i32,
248
188817
                    y as i32 - target_y as i32,
249
188817
                    x as i32 - target_x as i32 + self.order.0 as i32,
250
188817
                    y as i32 - target_y as i32 + self.order.1 as i32,
251
                );
252

            
253
                // Do the convolution.
254
188817
                let mut r = 0.0;
255
188817
                let mut g = 0.0;
256
188817
                let mut b = 0.0;
257
188817
                let mut a = 0.0;
258

            
259
1885027
                for (x, y, pixel) in
260
1885027
                    PixelRectangle::within(&input_surface, bounds, kernel_bounds, self.edge_mode)
261
                {
262
1696210
                    let kernel_x = (kernel_bounds.x1 - x - 1) as usize;
263
1696210
                    let kernel_y = (kernel_bounds.y1 - y - 1) as usize;
264

            
265
1696210
                    r += f64::from(pixel.r) / 255.0 * matrix[(kernel_y, kernel_x)];
266
1696210
                    g += f64::from(pixel.g) / 255.0 * matrix[(kernel_y, kernel_x)];
267
1696210
                    b += f64::from(pixel.b) / 255.0 * matrix[(kernel_y, kernel_x)];
268

            
269
1696210
                    if !self.preserve_alpha {
270
1234891
                        a += f64::from(pixel.a) / 255.0 * matrix[(kernel_y, kernel_x)];
271
                    }
272
                }
273

            
274
                // If preserve_alpha is true, set a to the source alpha value.
275
188817
                if self.preserve_alpha {
276
50000
                    a = f64::from(pixel.a) / 255.0;
277
                } else {
278
138817
                    a = a / divisor + self.bias;
279
                }
280

            
281
188817
                let clamped_a = clamp(a, 0.0, 1.0);
282

            
283
755007
                let compute = |x| {
284
566190
                    let x = x / divisor + self.bias * a;
285

            
286
566190
                    let x = if self.preserve_alpha {
287
                        // Premultiply the output value.
288
150000
                        clamp(x, 0.0, 1.0) * clamped_a
289
                    } else {
290
416190
                        clamp(x, 0.0, clamped_a)
291
                    };
292

            
293
566190
                    ((x * 255.0) + 0.5) as u8
294
566190
                };
295

            
296
188817
                let output_pixel = Pixel {
297
188817
                    r: compute(r),
298
188817
                    g: compute(g),
299
188817
                    b: compute(b),
300
188817
                    a: ((clamped_a * 255.0) + 0.5) as u8,
301
                };
302

            
303
188817
                data.set_pixel(stride, output_pixel, x, y);
304
            }
305
32
        });
306

            
307
32
        let mut surface = surface.share()?;
308

            
309
35
        if let Some((ox, oy)) = scale {
310
            // Scale the output surface back.
311
3
            surface = surface.scale_to(
312
3
                ctx.source_graphic().width(),
313
3
                ctx.source_graphic().height(),
314
                original_bounds,
315
                ox,
316
                oy,
317
            )?;
318

            
319
3
            bounds = original_bounds;
320
        }
321

            
322
32
        Ok(FilterOutput { surface, bounds })
323
32
    }
324
}
325

            
326
impl FilterEffect for FeConvolveMatrix {
327
32
    fn resolve(
328
        &self,
329
        _acquired_nodes: &mut AcquiredNodes<'_>,
330
        node: &Node,
331
    ) -> Result<Vec<ResolvedPrimitive>, FilterResolveError> {
332
32
        let cascaded = CascadedValues::new_from_node(node);
333
32
        let values = cascaded.get();
334

            
335
32
        let mut params = self.params.clone();
336
32
        params.color_interpolation_filters = values.color_interpolation_filters();
337

            
338
32
        Ok(vec![ResolvedPrimitive {
339
32
            primitive: self.base.clone(),
340
32
            params: PrimitiveParams::ConvolveMatrix(params),
341
        }])
342
32
    }
343
}
344

            
345
// Used for the preserveAlpha attribute
346
impl Parse for bool {
347
14
    fn parse<'i>(parser: &mut Parser<'i, '_>) -> Result<Self, ParseError<'i>> {
348
14
        Ok(parse_identifiers!(
349
            parser,
350
            "false" => false,
351
            "true" => true,
352
        )?)
353
14
    }
354
}