1use crate::computed_value_flags::ComputedValueFlags;
8use crate::context::{SharedStyleContext, StackLimitChecker};
9use crate::dom::TElement;
10use crate::invalidation::element::invalidator::InvalidationResult;
11use crate::invalidation::element::restyle_hints::RestyleHint;
12use crate::properties::ComputedValues;
13use crate::selector_parser::{PseudoElement, RestyleDamage, EAGER_PSEUDO_COUNT};
14use crate::style_resolver::{PrimaryStyle, ResolvedElementStyles, ResolvedStyle};
15#[cfg(feature = "gecko")]
16use malloc_size_of::MallocSizeOfOps;
17use selectors::matching::SelectorCaches;
18use servo_arc::Arc;
19use std::ops::{Deref, DerefMut};
20use std::{fmt, mem};
21
22#[cfg(debug_assertions)]
23use atomic_refcell::{AtomicRef, AtomicRefCell, AtomicRefMut};
24
25bitflags! {
26 #[derive(Debug, Default)]
28 pub struct ElementDataFlags: u8 {
29 const WAS_RESTYLED = 1 << 0;
31 const TRAVERSED_WITHOUT_STYLING = 1 << 1;
40
41 const PRIMARY_STYLE_REUSED_VIA_RULE_NODE = 1 << 2;
50 }
51}
52
53#[derive(Clone, Debug, Default)]
60pub struct EagerPseudoStyles(Option<Arc<EagerPseudoArray>>);
61
62#[derive(Default)]
63struct EagerPseudoArray(EagerPseudoArrayInner);
64type EagerPseudoArrayInner = [Option<Arc<ComputedValues>>; EAGER_PSEUDO_COUNT];
65
66impl Deref for EagerPseudoArray {
67 type Target = EagerPseudoArrayInner;
68 fn deref(&self) -> &Self::Target {
69 &self.0
70 }
71}
72
73impl DerefMut for EagerPseudoArray {
74 fn deref_mut(&mut self) -> &mut Self::Target {
75 &mut self.0
76 }
77}
78
79impl Clone for EagerPseudoArray {
82 fn clone(&self) -> Self {
83 let mut clone = Self::default();
84 for i in 0..EAGER_PSEUDO_COUNT {
85 clone[i] = self.0[i].clone();
86 }
87 clone
88 }
89}
90
91impl fmt::Debug for EagerPseudoArray {
94 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
95 write!(f, "EagerPseudoArray {{ ")?;
96 for i in 0..EAGER_PSEUDO_COUNT {
97 if let Some(ref values) = self[i] {
98 write!(
99 f,
100 "{:?}: {:?}, ",
101 PseudoElement::from_eager_index(i),
102 &values.rules
103 )?;
104 }
105 }
106 write!(f, "}}")
107 }
108}
109
110const EMPTY_PSEUDO_ARRAY: &'static EagerPseudoArrayInner = &[None, None, None, None];
113
114impl EagerPseudoStyles {
115 pub fn is_empty(&self) -> bool {
117 self.0.is_none()
118 }
119
120 pub fn as_optional_array(&self) -> Option<&EagerPseudoArrayInner> {
122 match self.0 {
123 None => None,
124 Some(ref x) => Some(&x.0),
125 }
126 }
127
128 pub fn as_array(&self) -> &EagerPseudoArrayInner {
131 self.as_optional_array().unwrap_or(EMPTY_PSEUDO_ARRAY)
132 }
133
134 pub fn get(&self, pseudo: &PseudoElement) -> Option<&Arc<ComputedValues>> {
136 debug_assert!(pseudo.is_eager());
137 self.0
138 .as_ref()
139 .and_then(|p| p[pseudo.eager_index()].as_ref())
140 }
141
142 pub fn set(&mut self, pseudo: &PseudoElement, value: Arc<ComputedValues>) {
144 if self.0.is_none() {
145 self.0 = Some(Arc::new(Default::default()));
146 }
147 let arr = Arc::make_mut(self.0.as_mut().unwrap());
148 arr[pseudo.eager_index()] = Some(value);
149 }
150}
151
152#[derive(Clone, Default)]
155pub struct ElementStyles {
156 pub primary: Option<Arc<ComputedValues>>,
158 pub pseudos: EagerPseudoStyles,
160}
161
162size_of_test!(ElementStyles, 16);
164
165#[derive(Clone, Copy, Debug, PartialEq, Eq, PartialOrd, Ord)]
167pub enum ViewportUnitUsage {
168 None = 0,
170 FromDeclaration,
173 FromQuery,
176}
177
178impl ElementStyles {
179 pub fn get_primary(&self) -> Option<&Arc<ComputedValues>> {
181 self.primary.as_ref()
182 }
183
184 pub fn primary(&self) -> &Arc<ComputedValues> {
186 self.primary.as_ref().unwrap()
187 }
188
189 pub fn is_display_none(&self) -> bool {
191 self.primary().get_box().clone_display().is_none()
192 }
193
194 pub fn viewport_unit_usage(&self) -> ViewportUnitUsage {
196 fn usage_from_flags(flags: ComputedValueFlags) -> ViewportUnitUsage {
197 if flags.intersects(ComputedValueFlags::USES_VIEWPORT_UNITS_ON_CONTAINER_QUERIES) {
198 return ViewportUnitUsage::FromQuery;
199 }
200 if flags.intersects(ComputedValueFlags::USES_VIEWPORT_UNITS) {
201 return ViewportUnitUsage::FromDeclaration;
202 }
203 ViewportUnitUsage::None
204 }
205
206 let primary = self.primary();
207 let mut usage = usage_from_flags(primary.flags);
208
209 primary.each_cached_lazy_pseudo(|style| {
211 usage = std::cmp::max(usage, usage_from_flags(style.flags));
212 });
213
214 for pseudo_style in self.pseudos.as_array() {
215 if let Some(ref pseudo_style) = pseudo_style {
216 usage = std::cmp::max(usage, usage_from_flags(pseudo_style.flags));
217 pseudo_style.each_cached_lazy_pseudo(|style| {
219 usage = std::cmp::max(usage, usage_from_flags(style.flags));
220 });
221 }
222 }
223
224 usage
225 }
226
227 #[cfg(feature = "gecko")]
228 fn size_of_excluding_cvs(&self, _ops: &mut MallocSizeOfOps) -> usize {
229 0
236 }
237}
238
239impl fmt::Debug for ElementStyles {
243 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
244 write!(
245 f,
246 "ElementStyles {{ primary: {:?}, pseudos: {:?} }}",
247 self.primary.as_ref().map(|x| &x.rules),
248 self.pseudos
249 )
250 }
251}
252
253#[derive(Debug, Default)]
259pub struct ElementData {
260 pub styles: ElementStyles,
262
263 pub damage: RestyleDamage,
266
267 pub hint: RestyleHint,
270
271 pub flags: ElementDataFlags,
273}
274
275#[derive(Debug, Default)]
277pub struct ElementDataWrapper {
278 inner: std::cell::UnsafeCell<ElementData>,
279 #[cfg(debug_assertions)]
281 refcell: AtomicRefCell<()>,
282}
283
284#[derive(Debug)]
286pub struct ElementDataMut<'a> {
287 v: &'a mut ElementData,
288 #[cfg(debug_assertions)]
289 _borrow: AtomicRefMut<'a, ()>,
290}
291
292#[derive(Debug)]
294pub struct ElementDataRef<'a> {
295 v: &'a ElementData,
296 #[cfg(debug_assertions)]
297 _borrow: AtomicRef<'a, ()>,
298}
299
300impl ElementDataWrapper {
301 #[inline(always)]
303 pub fn borrow(&self) -> ElementDataRef<'_> {
304 #[cfg(debug_assertions)]
305 let borrow = self.refcell.borrow();
306 ElementDataRef {
307 v: unsafe { &*self.inner.get() },
308 #[cfg(debug_assertions)]
309 _borrow: borrow,
310 }
311 }
312
313 #[inline(always)]
315 pub fn borrow_mut(&self) -> ElementDataMut<'_> {
316 #[cfg(debug_assertions)]
317 let borrow = self.refcell.borrow_mut();
318 ElementDataMut {
319 v: unsafe { &mut *self.inner.get() },
320 #[cfg(debug_assertions)]
321 _borrow: borrow,
322 }
323 }
324}
325
326impl<'a> Deref for ElementDataRef<'a> {
327 type Target = ElementData;
328 #[inline]
329 fn deref(&self) -> &Self::Target {
330 &*self.v
331 }
332}
333
334impl<'a> Deref for ElementDataMut<'a> {
335 type Target = ElementData;
336 #[inline]
337 fn deref(&self) -> &Self::Target {
338 &*self.v
339 }
340}
341
342impl<'a> DerefMut for ElementDataMut<'a> {
343 fn deref_mut(&mut self) -> &mut Self::Target {
344 &mut *self.v
345 }
346}
347
348size_of_test!(ElementData, 24);
350
351#[derive(Debug)]
353pub enum RestyleKind {
354 MatchAndCascade,
357 CascadeWithReplacements(RestyleHint),
360 CascadeOnly,
363}
364
365impl ElementData {
366 pub fn invalidate_style_if_needed<'a, E: TElement>(
370 &mut self,
371 element: E,
372 shared_context: &SharedStyleContext,
373 stack_limit_checker: Option<&StackLimitChecker>,
374 selector_caches: &'a mut SelectorCaches,
375 ) -> InvalidationResult {
376 if shared_context.traversal_flags.for_animation_only() {
378 return InvalidationResult::empty();
379 }
380
381 use crate::invalidation::element::invalidator::TreeStyleInvalidator;
382 use crate::invalidation::element::state_and_attributes::StateAndAttrInvalidationProcessor;
383
384 debug!(
385 "invalidate_style_if_needed: {:?}, flags: {:?}, has_snapshot: {}, \
386 handled_snapshot: {}, pseudo: {:?}",
387 element,
388 shared_context.traversal_flags,
389 element.has_snapshot(),
390 element.handled_snapshot(),
391 element.implemented_pseudo_element()
392 );
393
394 if !element.has_snapshot() || element.handled_snapshot() {
395 return InvalidationResult::empty();
396 }
397
398 let mut processor =
399 StateAndAttrInvalidationProcessor::new(shared_context, element, self, selector_caches);
400
401 let invalidator = TreeStyleInvalidator::new(element, stack_limit_checker, &mut processor);
402
403 let result = invalidator.invalidate();
404
405 unsafe { element.set_handled_snapshot() }
406 debug_assert!(element.handled_snapshot());
407
408 result
409 }
410
411 #[inline]
413 pub fn has_styles(&self) -> bool {
414 self.styles.primary.is_some()
415 }
416
417 pub fn share_styles(&self) -> ResolvedElementStyles {
419 ResolvedElementStyles {
420 primary: self.share_primary_style(),
421 pseudos: self.styles.pseudos.clone(),
422 }
423 }
424
425 pub fn share_primary_style(&self) -> PrimaryStyle {
427 let reused_via_rule_node = self
428 .flags
429 .contains(ElementDataFlags::PRIMARY_STYLE_REUSED_VIA_RULE_NODE);
430
431 PrimaryStyle {
432 style: ResolvedStyle(self.styles.primary().clone()),
433 reused_via_rule_node,
434 }
435 }
436
437 pub fn clone_style_with_flags(&self, flags: ComputedValueFlags) -> ResolvedStyle {
440 let primary_style = self.styles.primary();
441 let pseudo = primary_style.pseudo();
444 ResolvedStyle(
445 primary_style
446 .deref()
447 .clone_with_flags(flags, pseudo.as_ref()),
448 )
449 }
450
451 pub fn set_styles(&mut self, new_styles: ResolvedElementStyles) -> ElementStyles {
453 self.flags.set(
454 ElementDataFlags::PRIMARY_STYLE_REUSED_VIA_RULE_NODE,
455 new_styles.primary.reused_via_rule_node,
456 );
457 mem::replace(&mut self.styles, new_styles.into())
458 }
459
460 pub fn restyle_kind(&self, shared_context: &SharedStyleContext) -> Option<RestyleKind> {
463 let style = match self.styles.primary {
464 Some(ref s) => s,
465 None => return Some(RestyleKind::MatchAndCascade),
466 };
467
468 if shared_context.traversal_flags.for_animation_only() {
469 return self.restyle_kind_for_animation(shared_context);
470 }
471
472 let hint = self.hint;
473 if hint.is_empty() {
474 return None;
475 }
476
477 let needs_to_match_self = hint.intersects(RestyleHint::RESTYLE_SELF)
478 || (hint.intersects(RestyleHint::RESTYLE_SELF_IF_PSEUDO) && style.is_pseudo_style())
479 || (hint.intersects(RestyleHint::RESTYLE_IF_AFFECTED_BY_STYLE_QUERIES)
480 && style
481 .flags
482 .contains(ComputedValueFlags::DEPENDS_ON_CONTAINER_STYLE_QUERY));
483 if needs_to_match_self {
484 return Some(RestyleKind::MatchAndCascade);
485 }
486
487 if hint.has_replacements() {
488 debug_assert!(
489 !hint.has_animation_hint(),
490 "Animation only restyle hint should have already processed"
491 );
492 return Some(RestyleKind::CascadeWithReplacements(
493 hint & RestyleHint::replacements(),
494 ));
495 }
496
497 let needs_to_recascade_self = hint.intersects(RestyleHint::RECASCADE_SELF)
498 || (hint.intersects(RestyleHint::RECASCADE_SELF_IF_INHERIT_RESET_STYLE)
499 && style
500 .flags
501 .contains(ComputedValueFlags::INHERITS_RESET_STYLE));
502 if needs_to_recascade_self {
503 return Some(RestyleKind::CascadeOnly);
504 }
505
506 None
507 }
508
509 fn restyle_kind_for_animation(
511 &self,
512 shared_context: &SharedStyleContext,
513 ) -> Option<RestyleKind> {
514 debug_assert!(shared_context.traversal_flags.for_animation_only());
515 debug_assert!(self.has_styles());
516
517 let hint = self.hint;
526 if self.styles.is_display_none() && hint.intersects(RestyleHint::RESTYLE_SELF) {
527 return None;
528 }
529
530 let style = self.styles.primary();
531 if hint.has_animation_hint() {
534 return Some(RestyleKind::CascadeWithReplacements(
535 hint & RestyleHint::for_animations(),
536 ));
537 }
538
539 let needs_to_recascade_self = hint.intersects(RestyleHint::RECASCADE_SELF)
540 || (hint.intersects(RestyleHint::RECASCADE_SELF_IF_INHERIT_RESET_STYLE)
541 && style
542 .flags
543 .contains(ComputedValueFlags::INHERITS_RESET_STYLE));
544 if needs_to_recascade_self {
545 return Some(RestyleKind::CascadeOnly);
546 }
547 return None;
548 }
549
550 #[inline]
555 pub fn clear_restyle_state(&mut self) {
556 self.hint = RestyleHint::empty();
557 self.clear_restyle_flags_and_damage();
558 }
559
560 #[inline]
562 pub fn clear_restyle_flags_and_damage(&mut self) {
563 self.damage = RestyleDamage::empty();
564 self.flags.remove(ElementDataFlags::WAS_RESTYLED);
565 }
566
567 pub fn set_restyled(&mut self) {
570 self.flags.insert(ElementDataFlags::WAS_RESTYLED);
571 self.flags
572 .remove(ElementDataFlags::TRAVERSED_WITHOUT_STYLING);
573 }
574
575 #[inline]
577 pub fn is_restyle(&self) -> bool {
578 self.flags.contains(ElementDataFlags::WAS_RESTYLED)
579 }
580
581 pub fn set_traversed_without_styling(&mut self) {
583 self.flags
584 .insert(ElementDataFlags::TRAVERSED_WITHOUT_STYLING);
585 }
586
587 #[inline]
589 pub fn contains_restyle_data(&self) -> bool {
590 self.is_restyle() || !self.hint.is_empty() || !self.damage.is_empty()
591 }
592
593 pub fn safe_for_cousin_sharing(&self) -> bool {
612 if self.flags.intersects(
613 ElementDataFlags::TRAVERSED_WITHOUT_STYLING
614 | ElementDataFlags::PRIMARY_STYLE_REUSED_VIA_RULE_NODE,
615 ) {
616 return false;
617 }
618 if !self
619 .styles
620 .primary()
621 .get_box()
622 .clone_container_type()
623 .is_normal()
624 {
625 return false;
626 }
627 true
628 }
629
630 #[cfg(feature = "gecko")]
632 pub fn size_of_excluding_cvs(&self, ops: &mut MallocSizeOfOps) -> usize {
633 let n = self.styles.size_of_excluding_cvs(ops);
634
635 n
638 }
639}