1
use cssparser::Parser;
2
use markup5ever::{expanded_name, local_name, namespace_url, ns};
3

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

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

            
28
/// Limit the `numOctaves` parameter to avoid unbounded CPU consumption.
29
///
30
/// https://drafts.fxtf.org/filter-effects/#element-attrdef-feturbulence-numoctaves
31
const MAX_OCTAVES: i32 = 9;
32

            
33
/// Enumeration of the tile stitching modes.
34
299460
#[derive(Debug, Default, Clone, Copy, Eq, PartialEq, Hash)]
35
enum StitchTiles {
36
    Stitch,
37
    #[default]
38
20
    NoStitch,
39
}
40

            
41
/// Enumeration of the noise types.
42
768795
#[derive(Debug, Default, Clone, Copy, Eq, PartialEq, Hash)]
43
enum NoiseType {
44
    FractalNoise,
45
    #[default]
46
20
    Turbulence,
47
}
48

            
49
/// The `feTurbulence` filter primitive.
50
20
#[derive(Default)]
51
pub struct FeTurbulence {
52
20
    base: Primitive,
53
20
    params: Turbulence,
54
}
55

            
56
/// Resolved `feTurbulence` primitive for rendering.
57
40
#[derive(Clone)]
58
pub struct Turbulence {
59
20
    base_frequency: NumberOptionalNumber<f64>,
60
20
    num_octaves: i32,
61
20
    seed: f64,
62
20
    stitch_tiles: StitchTiles,
63
20
    type_: NoiseType,
64
20
    color_interpolation_filters: ColorInterpolationFilters,
65
}
66

            
67
impl Default for Turbulence {
68
    /// Constructs a new `Turbulence` with empty properties.
69
    #[inline]
70
20
    fn default() -> Turbulence {
71
20
        Turbulence {
72
            base_frequency: NumberOptionalNumber(0.0, 0.0),
73
            num_octaves: 1,
74
            seed: 0.0,
75
20
            stitch_tiles: Default::default(),
76
20
            type_: Default::default(),
77
20
            color_interpolation_filters: Default::default(),
78
        }
79
20
    }
80
}
81

            
82
impl ElementTrait for FeTurbulence {
83
20
    fn set_attributes(&mut self, attrs: &Attributes, session: &Session) {
84
20
        self.base.parse_no_inputs(attrs, session);
85

            
86
78
        for (attr, value) in attrs.iter() {
87
58
            match attr.expanded() {
88
                expanded_name!("", "baseFrequency") => {
89
19
                    set_attribute(&mut self.params.base_frequency, attr.parse(value), session);
90
                }
91
                expanded_name!("", "numOctaves") => {
92
9
                    set_attribute(&mut self.params.num_octaves, attr.parse(value), session);
93
10
                    if self.params.num_octaves > MAX_OCTAVES {
94
1
                        let n = self.params.num_octaves;
95
                        rsvg_log!(
96
                            session,
97
                            "ignoring numOctaves={n}, setting it to {MAX_OCTAVES}"
98
                        );
99
1
                        self.params.num_octaves = MAX_OCTAVES;
100
                    }
101
                }
102
                // Yes, seed needs to be parsed as a number and then truncated.
103
                expanded_name!("", "seed") => {
104
11
                    set_attribute(&mut self.params.seed, attr.parse(value), session);
105
                }
106
                expanded_name!("", "stitchTiles") => {
107
                    set_attribute(&mut self.params.stitch_tiles, attr.parse(value), session);
108
                }
109
                expanded_name!("", "type") => {
110
18
                    set_attribute(&mut self.params.type_, attr.parse(value), session)
111
                }
112
                _ => (),
113
            }
114
58
        }
115
20
    }
116
}
117

            
118
// Produces results in the range [1, 2**31 - 2].
119
// Algorithm is: r = (a * r) mod m
120
// where a = 16807 and m = 2**31 - 1 = 2147483647
121
// See [Park & Miller], CACM vol. 31 no. 10 p. 1195, Oct. 1988
122
// To test: the algorithm should produce the result 1043618065
123
// as the 10,000th generated number if the original seed is 1.
124
const RAND_M: i32 = 2147483647; // 2**31 - 1
125
const RAND_A: i32 = 16807; // 7**5; primitive root of m
126
const RAND_Q: i32 = 127773; // m / a
127
const RAND_R: i32 = 2836; // m % a
128

            
129
21
fn setup_seed(mut seed: i32) -> i32 {
130
40
    if seed <= 0 {
131
19
        seed = -(seed % (RAND_M - 1)) + 1;
132
    }
133
21
    if seed > RAND_M - 1 {
134
        seed = RAND_M - 1;
135
    }
136
21
    seed
137
21
}
138

            
139
56060
fn random(seed: i32) -> i32 {
140
56060
    let mut result = RAND_A * (seed % RAND_Q) - RAND_R * (seed / RAND_Q);
141
56060
    if result <= 0 {
142
615
        result += RAND_M;
143
    }
144
56060
    result
145
56060
}
146

            
147
const B_SIZE: usize = 0x100;
148
const PERLIN_N: i32 = 0x1000;
149

            
150
#[derive(Clone, Copy)]
151
struct NoiseGenerator {
152
    base_frequency: (f64, f64),
153
    num_octaves: i32,
154
    stitch_tiles: StitchTiles,
155
    type_: NoiseType,
156

            
157
    tile_width: f64,
158
    tile_height: f64,
159

            
160
    lattice_selector: [usize; B_SIZE + B_SIZE + 2],
161
    gradient: [[[f64; 2]; B_SIZE + B_SIZE + 2]; 4],
162
}
163

            
164
#[derive(Clone, Copy)]
165
struct StitchInfo {
166
    width: usize, // How much to subtract to wrap for stitching.
167
    height: usize,
168
    wrap_x: usize, // Minimum value to wrap.
169
    wrap_y: usize,
170
}
171

            
172
impl NoiseGenerator {
173
20
    fn new(
174
        seed: i32,
175
        base_frequency: (f64, f64),
176
        num_octaves: i32,
177
        type_: NoiseType,
178
        stitch_tiles: StitchTiles,
179
        tile_width: f64,
180
        tile_height: f64,
181
    ) -> Self {
182
20
        let mut rv = Self {
183
            base_frequency,
184
            num_octaves,
185
            type_,
186
            stitch_tiles,
187

            
188
            tile_width,
189
            tile_height,
190

            
191
20
            lattice_selector: [0; B_SIZE + B_SIZE + 2],
192
60
            gradient: [[[0.0; 2]; B_SIZE + B_SIZE + 2]; 4],
193
        };
194

            
195
20
        let mut seed = setup_seed(seed);
196

            
197
100
        for k in 0..4 {
198
20560
            for i in 0..B_SIZE {
199
20480
                rv.lattice_selector[i] = i;
200
61440
                for j in 0..2 {
201
40960
                    seed = random(seed);
202
40960
                    rv.gradient[k][i][j] =
203
40960
                        ((seed % (B_SIZE + B_SIZE) as i32) - B_SIZE as i32) as f64 / B_SIZE as f64;
204
                }
205
40960
                let s = (rv.gradient[k][i][0] * rv.gradient[k][i][0]
206
20480
                    + rv.gradient[k][i][1] * rv.gradient[k][i][1])
207
                    .sqrt();
208
20480
                rv.gradient[k][i][0] /= s;
209
20480
                rv.gradient[k][i][1] /= s;
210
            }
211
        }
212
5120
        for i in (1..B_SIZE).rev() {
213
5100
            let k = rv.lattice_selector[i];
214
5100
            seed = random(seed);
215
5100
            let j = seed as usize % B_SIZE;
216
5100
            rv.lattice_selector[i] = rv.lattice_selector[j];
217
5100
            rv.lattice_selector[j] = k;
218
        }
219
5180
        for i in 0..B_SIZE + 2 {
220
5160
            rv.lattice_selector[B_SIZE + i] = rv.lattice_selector[i];
221
25800
            for k in 0..4 {
222
61920
                for j in 0..2 {
223
41280
                    rv.gradient[k][B_SIZE + i][j] = rv.gradient[k][i][j];
224
                }
225
            }
226
        }
227

            
228
20
        rv
229
20
    }
230

            
231
780932
    fn noise2(&self, color_channel: usize, vec: [f64; 2], stitch_info: Option<StitchInfo>) -> f64 {
232
        #![allow(clippy::many_single_char_names)]
233
18

            
234
18
        const BM: usize = 0xff;
235

            
236
1521549
        let s_curve = |t| t * t * (3. - 2. * t);
237
3112358
        let lerp = |t, a, b| a + t * (b - a);
238

            
239
780914
        let t = vec[0] + f64::from(PERLIN_N);
240
780914
        let mut bx0 = t as usize;
241
780914
        let mut bx1 = bx0 + 1;
242
780914
        let rx0 = t.fract();
243
780914
        let rx1 = rx0 - 1.0;
244
780914
        let t = vec[1] + f64::from(PERLIN_N);
245
780914
        let mut by0 = t as usize;
246
780914
        let mut by1 = by0 + 1;
247
780914
        let ry0 = t.fract();
248
780914
        let ry1 = ry0 - 1.0;
249

            
250
        // If stitching, adjust lattice points accordingly.
251
780914
        if let Some(stitch_info) = stitch_info {
252
            if bx0 >= stitch_info.wrap_x {
253
                bx0 -= stitch_info.width;
254
            }
255
            if bx1 >= stitch_info.wrap_x {
256
                bx1 -= stitch_info.width;
257
            }
258
            if by0 >= stitch_info.wrap_y {
259
                by0 -= stitch_info.height;
260
            }
261
            if by1 >= stitch_info.wrap_y {
262
                by1 -= stitch_info.height;
263
            }
264
        }
265
780914
        bx0 &= BM;
266
780914
        bx1 &= BM;
267
780914
        by0 &= BM;
268
780914
        by1 &= BM;
269
780914
        let i = self.lattice_selector[bx0];
270
780914
        let j = self.lattice_selector[bx1];
271
780914
        let b00 = self.lattice_selector[i + by0];
272
780914
        let b10 = self.lattice_selector[j + by0];
273
780914
        let b01 = self.lattice_selector[i + by1];
274
780914
        let b11 = self.lattice_selector[j + by1];
275
780914
        let sx = s_curve(rx0);
276
780914
        let sy = s_curve(ry0);
277
780914
        let q = self.gradient[color_channel][b00];
278
780914
        let u = rx0 * q[0] + ry0 * q[1];
279
780914
        let q = self.gradient[color_channel][b10];
280
780914
        let v = rx1 * q[0] + ry0 * q[1];
281
780914
        let a = lerp(sx, u, v);
282
780914
        let q = self.gradient[color_channel][b01];
283
780914
        let u = rx0 * q[0] + ry1 * q[1];
284
780914
        let q = self.gradient[color_channel][b11];
285
780914
        let v = rx1 * q[0] + ry1 * q[1];
286
780914
        let b = lerp(sx, u, v);
287
780914
        lerp(sy, a, b)
288
780914
    }
289

            
290
308526
    fn turbulence(&self, color_channel: usize, point: [f64; 2], tile_x: f64, tile_y: f64) -> f64 {
291
308526
        let mut stitch_info = None;
292
308526
        let mut base_frequency = self.base_frequency;
293

            
294
        // Adjust the base frequencies if necessary for stitching.
295
308526
        if self.stitch_tiles == StitchTiles::Stitch {
296
            // When stitching tiled turbulence, the frequencies must be adjusted
297
            // so that the tile borders will be continuous.
298
            if base_frequency.0 != 0.0 {
299
                let freq_lo = (self.tile_width * base_frequency.0).floor() / self.tile_width;
300
                let freq_hi = (self.tile_width * base_frequency.0).ceil() / self.tile_width;
301
                if base_frequency.0 / freq_lo < freq_hi / base_frequency.0 {
302
                    base_frequency.0 = freq_lo;
303
                } else {
304
                    base_frequency.0 = freq_hi;
305
                }
306
            }
307
            if base_frequency.1 != 0.0 {
308
                let freq_lo = (self.tile_height * base_frequency.1).floor() / self.tile_height;
309
                let freq_hi = (self.tile_height * base_frequency.1).ceil() / self.tile_height;
310
                if base_frequency.1 / freq_lo < freq_hi / base_frequency.1 {
311
                    base_frequency.1 = freq_lo;
312
                } else {
313
                    base_frequency.1 = freq_hi;
314
                }
315
            }
316

            
317
            // Set up initial stitch values.
318
            let width = (self.tile_width * base_frequency.0 + 0.5) as usize;
319
            let height = (self.tile_height * base_frequency.1 + 0.5) as usize;
320
            stitch_info = Some(StitchInfo {
321
                width,
322
                wrap_x: (tile_x * base_frequency.0) as usize + PERLIN_N as usize + width,
323
                height,
324
                wrap_y: (tile_y * base_frequency.1) as usize + PERLIN_N as usize + height,
325
            });
326
        }
327

            
328
308526
        let mut sum = 0.0;
329
308526
        let mut vec = [point[0] * base_frequency.0, point[1] * base_frequency.1];
330
308526
        let mut ratio = 1.0;
331
1082958
        for _ in 0..self.num_octaves {
332
774432
            if self.type_ == NoiseType::FractalNoise {
333
270000
                sum += self.noise2(color_channel, vec, stitch_info) / ratio;
334
            } else {
335
504432
                sum += (self.noise2(color_channel, vec, stitch_info)).abs() / ratio;
336
            }
337
774432
            vec[0] *= 2.0;
338
774432
            vec[1] *= 2.0;
339
774432
            ratio *= 2.0;
340
774432
            if let Some(stitch_info) = stitch_info.as_mut() {
341
                // Update stitch values. Subtracting PerlinN before the multiplication and
342
                // adding it afterward simplifies to subtracting it once.
343
                stitch_info.width *= 2;
344
                stitch_info.wrap_x = 2 * stitch_info.wrap_x - PERLIN_N as usize;
345
                stitch_info.height *= 2;
346
                stitch_info.wrap_y = 2 * stitch_info.wrap_y - PERLIN_N as usize;
347
            }
348
        }
349
308526
        sum
350
308526
    }
351
}
352

            
353
impl Turbulence {
354
20
    pub fn render(
355
        &self,
356
        bounds_builder: BoundsBuilder,
357
        ctx: &FilterContext,
358
        _acquired_nodes: &mut AcquiredNodes<'_>,
359
        _draw_ctx: &mut DrawingCtx,
360
    ) -> Result<FilterOutput, FilterError> {
361
20
        let bounds: IRect = bounds_builder.compute(ctx).clipped.into();
362

            
363
20
        let affine = ctx.paffine().invert().unwrap();
364

            
365
20
        let seed = clamp(
366
20
            self.seed.trunc(), // per the spec, round towards zero
367
20
            f64::from(i32::MIN),
368
20
            f64::from(i32::MAX),
369
        ) as i32;
370

            
371
        // "Negative values are unsupported" -> set to the initial value which is 0.0
372
        //
373
        // https://drafts.fxtf.org/filter-effects/#element-attrdef-feturbulence-basefrequency
374
        //
375
        // Later in the algorithm, the base_frequency gets multiplied by the coordinates within the
376
        // tile.  So, limit the base_frequency to avoid overflow later.  We impose an arbitrary
377
        // upper limit for the frequency.  If it crosses that limit, we consider it invalid
378
        // and revert back to the initial value.  See bug #1115.
379
        let base_frequency = {
380
20
            let NumberOptionalNumber(base_freq_x, base_freq_y) = self.base_frequency;
381

            
382
20
            let x = if base_freq_x > 32768.0 {
383
1
                0.0
384
            } else {
385
19
                base_freq_x.max(0.0)
386
            };
387

            
388
20
            let y = if base_freq_y > 32768.0 {
389
1
                0.0
390
            } else {
391
19
                base_freq_y.max(0.0)
392
            };
393

            
394
20
            (x, y)
395
        };
396

            
397
20
        let noise_generator = NoiseGenerator::new(
398
            seed,
399
            base_frequency,
400
20
            self.num_octaves,
401
20
            self.type_,
402
20
            self.stitch_tiles,
403
20
            f64::from(bounds.width()),
404
20
            f64::from(bounds.height()),
405
        );
406

            
407
        // The generated color values are in the color space determined by
408
        // color-interpolation-filters.
409
20
        let surface_type = SurfaceType::from(self.color_interpolation_filters);
410

            
411
20
        let mut surface = ExclusiveImageSurface::new(
412
20
            ctx.source_graphic().width(),
413
20
            ctx.source_graphic().height(),
414
            surface_type,
415
        )?;
416

            
417
40
        surface.modify(&mut |data, stride| {
418
1128
            for y in bounds.y_range() {
419
77265
                for x in bounds.x_range() {
420
76157
                    let point = affine.transform_point(f64::from(x), f64::from(y));
421
76157
                    let point = [point.0, point.1];
422

            
423
385201
                    let generate = |color_channel| {
424
618088
                        let v = noise_generator.turbulence(
425
                            color_channel,
426
309044
                            point,
427
309044
                            f64::from(x - bounds.x0),
428
309044
                            f64::from(y - bounds.y0),
429
                        );
430

            
431
309044
                        let v = match self.type_ {
432
90000
                            NoiseType::FractalNoise => (v * 255.0 + 255.0) / 2.0,
433
219044
                            NoiseType::Turbulence => v * 255.0,
434
                        };
435

            
436
309044
                        (clamp(v, 0.0, 255.0) + 0.5) as u8
437
309044
                    };
438

            
439
76157
                    let pixel = Pixel {
440
76157
                        r: generate(0),
441
76157
                        g: generate(1),
442
76157
                        b: generate(2),
443
76157
                        a: generate(3),
444
                    }
445
                    .premultiply();
446

            
447
76157
                    data.set_pixel(stride, pixel, x as u32, y as u32);
448
                }
449
            }
450
20
        });
451

            
452
20
        Ok(FilterOutput {
453
20
            surface: surface.share()?,
454
            bounds,
455
        })
456
20
    }
457
}
458

            
459
impl FilterEffect for FeTurbulence {
460
20
    fn resolve(
461
        &self,
462
        _acquired_nodes: &mut AcquiredNodes<'_>,
463
        node: &Node,
464
    ) -> Result<Vec<ResolvedPrimitive>, FilterResolveError> {
465
20
        let cascaded = CascadedValues::new_from_node(node);
466
20
        let values = cascaded.get();
467

            
468
20
        let mut params = self.params.clone();
469
20
        params.color_interpolation_filters = values.color_interpolation_filters();
470

            
471
20
        Ok(vec![ResolvedPrimitive {
472
20
            primitive: self.base.clone(),
473
20
            params: PrimitiveParams::Turbulence(params),
474
        }])
475
20
    }
476
}
477

            
478
impl Parse for StitchTiles {
479
    fn parse<'i>(parser: &mut Parser<'i, '_>) -> Result<Self, ParseError<'i>> {
480
        Ok(parse_identifiers!(
481
            parser,
482
            "stitch" => StitchTiles::Stitch,
483
            "noStitch" => StitchTiles::NoStitch,
484
        )?)
485
    }
486
}
487

            
488
impl Parse for NoiseType {
489
18
    fn parse<'i>(parser: &mut Parser<'i, '_>) -> Result<Self, ParseError<'i>> {
490
18
        Ok(parse_identifiers!(
491
            parser,
492
            "fractalNoise" => NoiseType::FractalNoise,
493
            "turbulence" => NoiseType::Turbulence,
494
        )?)
495
18
    }
496
}
497

            
498
#[cfg(test)]
499
mod tests {
500
    use super::*;
501

            
502
    #[test]
503
2
    fn turbulence_rng() {
504
1
        let mut r = 1;
505
1
        r = setup_seed(r);
506

            
507
10001
        for _ in 0..10_000 {
508
10000
            r = random(r);
509
        }
510

            
511
1
        assert_eq!(r, 1043618065);
512
2
    }
513
}