style/dom.rs
1/* This Source Code Form is subject to the terms of the Mozilla Public
2 * License, v. 2.0. If a copy of the MPL was not distributed with this
3 * file, You can obtain one at https://mozilla.org/MPL/2.0/. */
4
5//! Types and traits used to access the DOM from style calculation.
6
7#![allow(unsafe_code)]
8#![deny(missing_docs)]
9
10use crate::applicable_declarations::ApplicableDeclarationBlock;
11use crate::context::SharedStyleContext;
12#[cfg(feature = "gecko")]
13use crate::context::UpdateAnimationsTasks;
14use crate::data::ElementData;
15use crate::media_queries::Device;
16use crate::properties::{AnimationDeclarations, ComputedValues, PropertyDeclarationBlock};
17use crate::selector_map::PrecomputedHashSet;
18use crate::selector_parser::{AttrValue, Lang, PseudoElement, RestyleDamage, SelectorImpl};
19use crate::shared_lock::{Locked, SharedRwLock};
20use crate::stylesheets::scope_rule::ImplicitScopeRoot;
21use crate::stylist::CascadeData;
22use crate::values::computed::Display;
23use crate::values::AtomIdent;
24use crate::{LocalName, WeakAtom};
25use atomic_refcell::{AtomicRef, AtomicRefMut};
26use dom::ElementState;
27use selectors::matching::{ElementSelectorFlags, QuirksMode, VisitedHandlingMode};
28use selectors::sink::Push;
29use selectors::{Element as SelectorsElement, OpaqueElement};
30use servo_arc::{Arc, ArcBorrow};
31use std::fmt;
32use std::fmt::Debug;
33use std::hash::Hash;
34use std::ops::Deref;
35
36pub use style_traits::dom::OpaqueNode;
37
38/// Simple trait to provide basic information about the type of an element.
39///
40/// We avoid exposing the full type id, since computing it in the general case
41/// would be difficult for Gecko nodes.
42pub trait NodeInfo {
43 /// Whether this node is an element.
44 fn is_element(&self) -> bool;
45 /// Whether this node is a text node.
46 fn is_text_node(&self) -> bool;
47}
48
49/// A node iterator that only returns node that don't need layout.
50pub struct LayoutIterator<T>(pub T);
51
52impl<T, N> Iterator for LayoutIterator<T>
53where
54 T: Iterator<Item = N>,
55 N: NodeInfo,
56{
57 type Item = N;
58
59 fn next(&mut self) -> Option<N> {
60 loop {
61 let n = self.0.next()?;
62 // Filter out nodes that layout should ignore.
63 if n.is_text_node() || n.is_element() {
64 return Some(n);
65 }
66 }
67 }
68}
69
70/// An iterator over the DOM children of a node.
71pub struct DomChildren<N>(Option<N>);
72impl<N> Iterator for DomChildren<N>
73where
74 N: TNode,
75{
76 type Item = N;
77
78 fn next(&mut self) -> Option<N> {
79 let n = self.0.take()?;
80 self.0 = n.next_sibling();
81 Some(n)
82 }
83}
84
85/// An iterator over the DOM descendants of a node in pre-order.
86pub struct DomDescendants<N> {
87 previous: Option<N>,
88 scope: N,
89}
90
91impl<N> DomDescendants<N>
92where
93 N: TNode,
94{
95 /// Returns the next element ignoring all of our subtree.
96 #[inline]
97 pub fn next_skipping_children(&mut self) -> Option<N> {
98 let prev = self.previous.take()?;
99 self.previous = prev.next_in_preorder_skipping_children(self.scope);
100 self.previous
101 }
102}
103
104impl<N> Iterator for DomDescendants<N>
105where
106 N: TNode,
107{
108 type Item = N;
109
110 #[inline]
111 fn next(&mut self) -> Option<N> {
112 let prev = self.previous.take()?;
113 self.previous = prev.next_in_preorder(self.scope);
114 self.previous
115 }
116}
117
118/// The `TDocument` trait, to represent a document node.
119pub trait TDocument: Sized + Copy + Clone {
120 /// The concrete `TNode` type.
121 type ConcreteNode: TNode<ConcreteDocument = Self>;
122
123 /// Get this document as a `TNode`.
124 fn as_node(&self) -> Self::ConcreteNode;
125
126 /// Returns whether this document is an HTML document.
127 fn is_html_document(&self) -> bool;
128
129 /// Returns the quirks mode of this document.
130 fn quirks_mode(&self) -> QuirksMode;
131
132 /// Get a list of elements with a given ID in this document, sorted by
133 /// tree position.
134 ///
135 /// Can return an error to signal that this list is not available, or also
136 /// return an empty slice.
137 fn elements_with_id<'a>(
138 &self,
139 _id: &AtomIdent,
140 ) -> Result<&'a [<Self::ConcreteNode as TNode>::ConcreteElement], ()>
141 where
142 Self: 'a,
143 {
144 Err(())
145 }
146
147 /// This document's shared lock.
148 fn shared_lock(&self) -> &SharedRwLock;
149}
150
151/// The `TNode` trait. This is the main generic trait over which the style
152/// system can be implemented.
153pub trait TNode: Sized + Copy + Clone + Debug + NodeInfo + PartialEq {
154 /// The concrete `TElement` type.
155 type ConcreteElement: TElement<ConcreteNode = Self>;
156
157 /// The concrete `TDocument` type.
158 type ConcreteDocument: TDocument<ConcreteNode = Self>;
159
160 /// The concrete `TShadowRoot` type.
161 type ConcreteShadowRoot: TShadowRoot<ConcreteNode = Self>;
162
163 /// Get this node's parent node.
164 fn parent_node(&self) -> Option<Self>;
165
166 /// Get this node's first child.
167 fn first_child(&self) -> Option<Self>;
168
169 /// Get this node's last child.
170 fn last_child(&self) -> Option<Self>;
171
172 /// Get this node's previous sibling.
173 fn prev_sibling(&self) -> Option<Self>;
174
175 /// Get this node's next sibling.
176 fn next_sibling(&self) -> Option<Self>;
177
178 /// Get the owner document of this node.
179 fn owner_doc(&self) -> Self::ConcreteDocument;
180
181 /// Iterate over the DOM children of a node.
182 #[inline(always)]
183 fn dom_children(&self) -> DomChildren<Self> {
184 DomChildren(self.first_child())
185 }
186
187 /// Returns whether the node is attached to a document.
188 fn is_in_document(&self) -> bool;
189
190 /// Iterate over the DOM children of a node, in preorder.
191 #[inline(always)]
192 fn dom_descendants(&self) -> DomDescendants<Self> {
193 DomDescendants {
194 previous: Some(*self),
195 scope: *self,
196 }
197 }
198
199 /// Returns the next node after this one, in a pre-order tree-traversal of
200 /// the subtree rooted at scoped_to.
201 #[inline]
202 fn next_in_preorder(&self, scoped_to: Self) -> Option<Self> {
203 if let Some(c) = self.first_child() {
204 return Some(c);
205 }
206 self.next_in_preorder_skipping_children(scoped_to)
207 }
208
209 /// Returns the next node in tree order, skipping the children of the current node.
210 ///
211 /// This is useful when we know that a subtree cannot contain matches, allowing us
212 /// to skip entire subtrees during traversal.
213 #[inline]
214 fn next_in_preorder_skipping_children(&self, scoped_to: Self) -> Option<Self> {
215 let mut current = *self;
216 loop {
217 if current == scoped_to {
218 return None;
219 }
220
221 if let Some(s) = current.next_sibling() {
222 return Some(s);
223 }
224
225 debug_assert!(
226 current.parent_node().is_some(),
227 "Not a descendant of the scope?"
228 );
229 current = current.parent_node()?;
230 }
231 }
232
233 /// Returns the depth of this node in the DOM.
234 fn depth(&self) -> usize {
235 let mut depth = 0;
236 let mut curr = *self;
237 while let Some(parent) = curr.traversal_parent() {
238 depth += 1;
239 curr = parent.as_node();
240 }
241 depth
242 }
243
244 /// Get this node's parent element from the perspective of a restyle
245 /// traversal.
246 fn traversal_parent(&self) -> Option<Self::ConcreteElement>;
247
248 /// Get this node's parent element if present.
249 fn parent_element(&self) -> Option<Self::ConcreteElement> {
250 self.parent_node().and_then(|n| n.as_element())
251 }
252
253 /// Get this node's parent element, or shadow host if it's a shadow root.
254 fn parent_element_or_host(&self) -> Option<Self::ConcreteElement> {
255 let parent = self.parent_node()?;
256 if let Some(e) = parent.as_element() {
257 return Some(e);
258 }
259 if let Some(root) = parent.as_shadow_root() {
260 return Some(root.host());
261 }
262 None
263 }
264
265 /// Converts self into an `OpaqueNode`.
266 fn opaque(&self) -> OpaqueNode;
267
268 /// A debug id, only useful, mm... for debugging.
269 fn debug_id(self) -> usize;
270
271 /// Get this node as an element, if it's one.
272 fn as_element(&self) -> Option<Self::ConcreteElement>;
273
274 /// Get this node as a document, if it's one.
275 fn as_document(&self) -> Option<Self::ConcreteDocument>;
276
277 /// Get this node as a ShadowRoot, if it's one.
278 fn as_shadow_root(&self) -> Option<Self::ConcreteShadowRoot>;
279}
280
281/// Wrapper to output the subtree rather than the single node when formatting
282/// for Debug.
283pub struct ShowSubtree<N: TNode>(pub N);
284impl<N: TNode> Debug for ShowSubtree<N> {
285 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
286 writeln!(f, "DOM Subtree:")?;
287 fmt_subtree(f, &|f, n| write!(f, "{:?}", n), self.0, 1)
288 }
289}
290
291/// Wrapper to output the subtree along with the ElementData when formatting
292/// for Debug.
293pub struct ShowSubtreeData<N: TNode>(pub N);
294impl<N: TNode> Debug for ShowSubtreeData<N> {
295 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
296 writeln!(f, "DOM Subtree:")?;
297 fmt_subtree(f, &|f, n| fmt_with_data(f, n), self.0, 1)
298 }
299}
300
301/// Wrapper to output the subtree along with the ElementData and primary
302/// ComputedValues when formatting for Debug. This is extremely verbose.
303#[cfg(feature = "servo")]
304pub struct ShowSubtreeDataAndPrimaryValues<N: TNode>(pub N);
305#[cfg(feature = "servo")]
306impl<N: TNode> Debug for ShowSubtreeDataAndPrimaryValues<N> {
307 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
308 writeln!(f, "DOM Subtree:")?;
309 fmt_subtree(f, &|f, n| fmt_with_data_and_primary_values(f, n), self.0, 1)
310 }
311}
312
313fn fmt_with_data<N: TNode>(f: &mut fmt::Formatter, n: N) -> fmt::Result {
314 if let Some(el) = n.as_element() {
315 write!(
316 f,
317 "{:?} dd={} aodd={} data={:?}",
318 el,
319 el.has_dirty_descendants(),
320 el.has_animation_only_dirty_descendants(),
321 el.borrow_data(),
322 )
323 } else {
324 write!(f, "{:?}", n)
325 }
326}
327
328#[cfg(feature = "servo")]
329fn fmt_with_data_and_primary_values<N: TNode>(f: &mut fmt::Formatter, n: N) -> fmt::Result {
330 if let Some(el) = n.as_element() {
331 let dd = el.has_dirty_descendants();
332 let aodd = el.has_animation_only_dirty_descendants();
333 let data = el.borrow_data();
334 let values = data.as_ref().and_then(|d| d.styles.get_primary());
335 write!(
336 f,
337 "{:?} dd={} aodd={} data={:?} values={:?}",
338 el, dd, aodd, &data, values
339 )
340 } else {
341 write!(f, "{:?}", n)
342 }
343}
344
345fn fmt_subtree<F, N: TNode>(f: &mut fmt::Formatter, stringify: &F, n: N, indent: u32) -> fmt::Result
346where
347 F: Fn(&mut fmt::Formatter, N) -> fmt::Result,
348{
349 for _ in 0..indent {
350 write!(f, " ")?;
351 }
352 stringify(f, n)?;
353 if let Some(e) = n.as_element() {
354 for kid in e.traversal_children() {
355 writeln!(f, "")?;
356 fmt_subtree(f, stringify, kid, indent + 1)?;
357 }
358 }
359
360 Ok(())
361}
362
363/// The ShadowRoot trait.
364pub trait TShadowRoot: Sized + Copy + Clone + Debug + PartialEq {
365 /// The concrete node type.
366 type ConcreteNode: TNode<ConcreteShadowRoot = Self>;
367
368 /// Get this ShadowRoot as a node.
369 fn as_node(&self) -> Self::ConcreteNode;
370
371 /// Get the shadow host that hosts this ShadowRoot.
372 fn host(&self) -> <Self::ConcreteNode as TNode>::ConcreteElement;
373
374 /// Get the style data for this ShadowRoot.
375 fn style_data<'a>(&self) -> Option<&'a CascadeData>
376 where
377 Self: 'a;
378
379 /// Get the list of shadow parts for this shadow root.
380 fn parts<'a>(&self) -> &[<Self::ConcreteNode as TNode>::ConcreteElement]
381 where
382 Self: 'a,
383 {
384 &[]
385 }
386
387 /// Get a list of elements with a given ID in this shadow root, sorted by
388 /// tree position.
389 ///
390 /// Can return an error to signal that this list is not available, or also
391 /// return an empty slice.
392 fn elements_with_id<'a>(
393 &self,
394 _id: &AtomIdent,
395 ) -> Result<&'a [<Self::ConcreteNode as TNode>::ConcreteElement], ()>
396 where
397 Self: 'a,
398 {
399 Err(())
400 }
401
402 /// Get the implicit scope for a stylesheet in given index.
403 fn implicit_scope_for_sheet(&self, _sheet_index: usize) -> Option<ImplicitScopeRoot> {
404 None
405 }
406}
407
408/// The element trait, the main abstraction the style crate acts over.
409pub trait TElement:
410 Eq
411 + PartialEq
412 + Debug
413 + Hash
414 + Sized
415 + Copy
416 + Clone
417 + SelectorsElement<Impl = SelectorImpl>
418 + AttributeProvider
419{
420 /// The concrete node type.
421 type ConcreteNode: TNode<ConcreteElement = Self>;
422
423 /// A concrete children iterator type in order to iterate over the `Node`s.
424 ///
425 /// TODO(emilio): We should eventually replace this with the `impl Trait`
426 /// syntax.
427 type TraversalChildrenIterator: Iterator<Item = Self::ConcreteNode>;
428
429 /// Get this element as a node.
430 fn as_node(&self) -> Self::ConcreteNode;
431
432 /// A debug-only check that the device's owner doc matches the actual doc
433 /// we're the root of.
434 ///
435 /// Otherwise we may set document-level state incorrectly, like the root
436 /// font-size used for rem units.
437 fn owner_doc_matches_for_testing(&self, _: &Device) -> bool {
438 true
439 }
440
441 /// Whether this element should match user and content rules.
442 ///
443 /// We use this for Native Anonymous Content in Gecko.
444 fn matches_user_and_content_rules(&self) -> bool {
445 true
446 }
447
448 /// Get this node's parent element from the perspective of a restyle
449 /// traversal.
450 fn traversal_parent(&self) -> Option<Self> {
451 self.as_node().traversal_parent()
452 }
453
454 /// Get this node's children from the perspective of a restyle traversal.
455 fn traversal_children(&self) -> LayoutIterator<Self::TraversalChildrenIterator>;
456
457 /// Returns the parent element we should inherit from.
458 ///
459 /// This is pretty much always the parent element itself, except in the case
460 /// of Gecko's Native Anonymous Content, which uses the traversal parent
461 /// (i.e. the flattened tree parent) and which also may need to find the
462 /// closest non-NAC ancestor.
463 fn inheritance_parent(&self) -> Option<Self> {
464 self.parent_element()
465 }
466
467 /// Execute `f` for each anonymous content child (apart from ::before and
468 /// ::after) whose originating element is `self`.
469 fn each_anonymous_content_child<F>(&self, _f: F)
470 where
471 F: FnMut(Self),
472 {
473 }
474
475 /// Return whether this element is an element in the HTML namespace.
476 fn is_html_element(&self) -> bool;
477
478 /// Return whether this element is an element in the MathML namespace.
479 fn is_mathml_element(&self) -> bool;
480
481 /// Return whether this element is an element in the SVG namespace.
482 fn is_svg_element(&self) -> bool;
483
484 /// Return whether this element is an element in the XUL namespace.
485 fn is_xul_element(&self) -> bool {
486 false
487 }
488
489 /// Returns the bloom filter for this element's subtree, used for fast
490 /// querySelector optimization by allowing subtrees to be skipped.
491 /// Each element's filter includes hashes for all of it's class names and
492 /// attribute names (not values), along with the names for all descendent
493 /// elements.
494 ///
495 /// The default implementation returns all bits set, meaning the bloom filter
496 /// never filters anything.
497 fn subtree_bloom_filter(&self) -> u64 {
498 u64::MAX
499 }
500
501 /// Check if this element's subtree may contain elements with the given bloom hash.
502 fn bloom_may_have_hash(&self, bloom_hash: u64) -> bool {
503 let bloom = self.subtree_bloom_filter();
504 (bloom & bloom_hash) == bloom_hash
505 }
506
507 /// Convert a 32-bit atom hash to a bloom filter value using k=2 hash functions.
508 /// This must match the C++ implementation of HashForBloomFilter in Element.cpp
509 fn hash_for_bloom_filter(hash: u32) -> u64 {
510 // On 32-bit platforms, we have 31 bits available + 1 tag bit.
511 // On 64-bit platforms, we have 63 bits available + 1 tag bit.
512 #[cfg(target_pointer_width = "32")]
513 const BLOOM_BITS: u32 = 31;
514
515 #[cfg(target_pointer_width = "64")]
516 const BLOOM_BITS: u32 = 63;
517
518 let mut filter = 1u64;
519 filter |= 1u64 << (1 + (hash % BLOOM_BITS));
520 filter |= 1u64 << (1 + ((hash >> 6) % BLOOM_BITS));
521 filter
522 }
523
524 /// Return the list of slotted nodes of this node.
525 fn slotted_nodes(&self) -> &[Self::ConcreteNode] {
526 &[]
527 }
528
529 /// Get this element's style attribute.
530 fn style_attribute(&self) -> Option<ArcBorrow<'_, Locked<PropertyDeclarationBlock>>>;
531
532 /// Unset the style attribute's dirty bit.
533 /// Servo doesn't need to manage ditry bit for style attribute.
534 fn unset_dirty_style_attribute(&self) {}
535
536 /// Get this element's SMIL override declarations.
537 fn smil_override(&self) -> Option<ArcBorrow<'_, Locked<PropertyDeclarationBlock>>> {
538 None
539 }
540
541 /// Get the combined animation and transition rules.
542 ///
543 /// FIXME(emilio): Is this really useful?
544 fn animation_declarations(&self, context: &SharedStyleContext) -> AnimationDeclarations {
545 if !self.may_have_animations() {
546 return Default::default();
547 }
548
549 AnimationDeclarations {
550 animations: self.animation_rule(context),
551 transitions: self.transition_rule(context),
552 }
553 }
554
555 /// Get this element's animation rule.
556 fn animation_rule(
557 &self,
558 _: &SharedStyleContext,
559 ) -> Option<Arc<Locked<PropertyDeclarationBlock>>>;
560
561 /// Get this element's transition rule.
562 fn transition_rule(
563 &self,
564 context: &SharedStyleContext,
565 ) -> Option<Arc<Locked<PropertyDeclarationBlock>>>;
566
567 /// Get this element's state, for non-tree-structural pseudos.
568 fn state(&self) -> ElementState;
569
570 /// Returns whether this element has a `part` attribute.
571 fn has_part_attr(&self) -> bool;
572
573 /// Returns whether this element exports any part from its shadow tree.
574 fn exports_any_part(&self) -> bool;
575
576 /// The ID for this element.
577 fn id(&self) -> Option<&WeakAtom>;
578
579 /// Internal iterator for the classes of this element.
580 fn each_class<F>(&self, callback: F)
581 where
582 F: FnMut(&AtomIdent);
583
584 /// Internal iterator for the classes of this element.
585 fn each_custom_state<F>(&self, callback: F)
586 where
587 F: FnMut(&AtomIdent);
588
589 /// Internal iterator for the part names of this element.
590 fn each_part<F>(&self, _callback: F)
591 where
592 F: FnMut(&AtomIdent),
593 {
594 }
595
596 /// Internal iterator for the attribute names of this element.
597 fn each_attr_name<F>(&self, callback: F)
598 where
599 F: FnMut(&LocalName);
600
601 /// Internal iterator for the part names that this element exports for a
602 /// given part name.
603 fn each_exported_part<F>(&self, _name: &AtomIdent, _callback: F)
604 where
605 F: FnMut(&AtomIdent),
606 {
607 }
608
609 /// Whether a given element may generate a pseudo-element.
610 ///
611 /// This is useful to avoid computing, for example, pseudo styles for
612 /// `::-first-line` or `::-first-letter`, when we know it won't affect us.
613 ///
614 /// TODO(emilio, bz): actually implement the logic for it.
615 fn may_generate_pseudo(&self, pseudo: &PseudoElement, _primary_style: &ComputedValues) -> bool {
616 // ::before/::after are always supported for now, though we could try to
617 // optimize out leaf elements.
618
619 // ::first-letter and ::first-line are only supported for block-inside
620 // things, and only in Gecko, not Servo. Unfortunately, Gecko has
621 // block-inside things that might have any computed display value due to
622 // things like fieldsets, legends, etc. Need to figure out how this
623 // should work.
624 debug_assert!(
625 pseudo.is_eager(),
626 "Someone called may_generate_pseudo with a non-eager pseudo."
627 );
628 true
629 }
630
631 /// Returns true if this element may have a descendant needing style processing.
632 ///
633 /// Note that we cannot guarantee the existence of such an element, because
634 /// it may have been removed from the DOM between marking it for restyle and
635 /// the actual restyle traversal.
636 fn has_dirty_descendants(&self) -> bool;
637
638 /// Returns whether state or attributes that may change style have changed
639 /// on the element, and thus whether the element has been snapshotted to do
640 /// restyle hint computation.
641 fn has_snapshot(&self) -> bool;
642
643 /// Returns whether the current snapshot if present has been handled.
644 fn handled_snapshot(&self) -> bool;
645
646 /// Flags this element as having handled already its snapshot.
647 unsafe fn set_handled_snapshot(&self);
648
649 /// Returns whether the element's styles are up-to-date after traversal
650 /// (i.e. in post traversal).
651 fn has_current_styles(&self, data: &ElementData) -> bool {
652 if self.has_snapshot() && !self.handled_snapshot() {
653 return false;
654 }
655
656 data.has_styles() &&
657 // TODO(hiro): When an animating element moved into subtree of
658 // contenteditable element, there remains animation restyle hints in
659 // post traversal. It's generally harmless since the hints will be
660 // processed in a next styling but ideally it should be processed soon.
661 //
662 // Without this, we get failures in:
663 // layout/style/crashtests/1383319.html
664 // layout/style/crashtests/1383001.html
665 //
666 // https://bugzilla.mozilla.org/show_bug.cgi?id=1389675 tracks fixing
667 // this.
668 !data.hint.has_non_animation_invalidations()
669 }
670
671 /// Flag that this element has a descendant for style processing.
672 ///
673 /// Only safe to call with exclusive access to the element.
674 unsafe fn set_dirty_descendants(&self);
675
676 /// Flag that this element has no descendant for style processing.
677 ///
678 /// Only safe to call with exclusive access to the element.
679 unsafe fn unset_dirty_descendants(&self);
680
681 /// Similar to the dirty_descendants but for representing a descendant of
682 /// the element needs to be updated in animation-only traversal.
683 fn has_animation_only_dirty_descendants(&self) -> bool {
684 false
685 }
686
687 /// Flag that this element has a descendant for animation-only restyle
688 /// processing.
689 ///
690 /// Only safe to call with exclusive access to the element.
691 unsafe fn set_animation_only_dirty_descendants(&self) {}
692
693 /// Flag that this element has no descendant for animation-only restyle processing.
694 ///
695 /// Only safe to call with exclusive access to the element.
696 unsafe fn unset_animation_only_dirty_descendants(&self) {}
697
698 /// Clear all bits related describing the dirtiness of descendants.
699 ///
700 /// In Gecko, this corresponds to the regular dirty descendants bit, the
701 /// animation-only dirty descendants bit, and the lazy frame construction
702 /// descendants bit.
703 unsafe fn clear_descendant_bits(&self) {
704 self.unset_dirty_descendants();
705 }
706
707 /// Returns true if this element is a visited link.
708 ///
709 /// Servo doesn't support visited styles yet.
710 fn is_visited_link(&self) -> bool {
711 false
712 }
713
714 /// Returns the pseudo-element implemented by this element, if any.
715 ///
716 /// Gecko traverses pseudo-elements during the style traversal, and we need
717 /// to know this so we can properly grab the pseudo-element style from the
718 /// parent element.
719 ///
720 /// Note that we still need to compute the pseudo-elements before-hand,
721 /// given otherwise we don't know if we need to create an element or not.
722 fn implemented_pseudo_element(&self) -> Option<PseudoElement> {
723 None
724 }
725
726 /// Atomically stores the number of children of this node that we will
727 /// need to process during bottom-up traversal.
728 fn store_children_to_process(&self, n: isize);
729
730 /// Atomically notes that a child has been processed during bottom-up
731 /// traversal. Returns the number of children left to process.
732 fn did_process_child(&self) -> isize;
733
734 /// Gets a reference to the ElementData container, or creates one.
735 ///
736 /// Unsafe because it can race to allocate and leak if not used with
737 /// exclusive access to the element.
738 unsafe fn ensure_data(&self) -> AtomicRefMut<'_, ElementData>;
739
740 /// Clears the element data reference, if any.
741 ///
742 /// Unsafe following the same reasoning as ensure_data.
743 unsafe fn clear_data(&self);
744
745 /// Whether there is an ElementData container.
746 fn has_data(&self) -> bool;
747
748 /// Immutably borrows the ElementData.
749 fn borrow_data(&self) -> Option<AtomicRef<'_, ElementData>>;
750
751 /// Mutably borrows the ElementData.
752 fn mutate_data(&self) -> Option<AtomicRefMut<'_, ElementData>>;
753
754 /// Whether we should skip any root- or item-based display property
755 /// blockification on this element. (This function exists so that Gecko
756 /// native anonymous content can opt out of this style fixup.)
757 fn skip_item_display_fixup(&self) -> bool;
758
759 /// In Gecko, element has a flag that represents the element may have
760 /// any type of animations or not to bail out animation stuff early.
761 /// Whereas Servo doesn't have such flag.
762 fn may_have_animations(&self) -> bool;
763
764 /// Creates a task to update various animation state on a given (pseudo-)element.
765 #[cfg(feature = "gecko")]
766 fn update_animations(
767 &self,
768 before_change_style: Option<Arc<ComputedValues>>,
769 tasks: UpdateAnimationsTasks,
770 );
771
772 /// Returns true if the element has relevant animations. Relevant
773 /// animations are those animations that are affecting the element's style
774 /// or are scheduled to do so in the future.
775 fn has_animations(&self, context: &SharedStyleContext) -> bool;
776
777 /// Returns true if the element has a CSS animation. The `context` and `pseudo_element`
778 /// arguments are only used by Servo, since it stores animations globally and pseudo-elements
779 /// are not in the DOM.
780 fn has_css_animations(
781 &self,
782 context: &SharedStyleContext,
783 pseudo_element: Option<PseudoElement>,
784 ) -> bool;
785
786 /// Returns true if the element has a CSS transition (including running transitions and
787 /// completed transitions). The `context` and `pseudo_element` arguments are only used
788 /// by Servo, since it stores animations globally and pseudo-elements are not in the DOM.
789 fn has_css_transitions(
790 &self,
791 context: &SharedStyleContext,
792 pseudo_element: Option<PseudoElement>,
793 ) -> bool;
794
795 /// Returns true if the element has animation restyle hints.
796 fn has_animation_restyle_hints(&self) -> bool {
797 let data = match self.borrow_data() {
798 Some(d) => d,
799 None => return false,
800 };
801 return data.hint.has_animation_hint();
802 }
803
804 /// The shadow root this element is a host of.
805 fn shadow_root(&self) -> Option<<Self::ConcreteNode as TNode>::ConcreteShadowRoot>;
806
807 /// The shadow root which roots the subtree this element is contained in.
808 fn containing_shadow(&self) -> Option<<Self::ConcreteNode as TNode>::ConcreteShadowRoot>;
809
810 /// Return the element which we can use to look up rules in the selector
811 /// maps.
812 ///
813 /// This is always the element itself, except in the case where we are an
814 /// element-backed pseudo-element, in which case we return the originating
815 /// element.
816 fn rule_hash_target(&self) -> Self {
817 let mut cur = *self;
818 while cur.is_pseudo_element() {
819 cur = cur
820 .pseudo_element_originating_element()
821 .expect("Trying to collect rules for a detached pseudo-element")
822 }
823 cur
824 }
825
826 /// Executes the callback for each applicable style rule data which isn't
827 /// the main document's data (which stores UA / author rules).
828 ///
829 /// The element passed to the callback is the containing shadow host for the
830 /// data if it comes from Shadow DOM.
831 ///
832 /// Returns whether normal document author rules should apply.
833 ///
834 /// TODO(emilio): We could separate the invalidation data for elements
835 /// matching in other scopes to avoid over-invalidation.
836 fn each_applicable_non_document_style_rule_data<'a, F>(&self, mut f: F) -> bool
837 where
838 Self: 'a,
839 F: FnMut(&'a CascadeData, Self),
840 {
841 use crate::rule_collector::containing_shadow_ignoring_svg_use;
842
843 let target = self.rule_hash_target();
844 let matches_user_and_content_rules = target.matches_user_and_content_rules();
845 let mut doc_rules_apply = matches_user_and_content_rules;
846
847 // Use the same rules to look for the containing host as we do for rule
848 // collection.
849 if let Some(shadow) = containing_shadow_ignoring_svg_use(target) {
850 doc_rules_apply = false;
851 if let Some(data) = shadow.style_data() {
852 f(data, shadow.host());
853 }
854 }
855
856 if let Some(shadow) = target.shadow_root() {
857 if let Some(data) = shadow.style_data() {
858 f(data, shadow.host());
859 }
860 }
861
862 let mut current = target.assigned_slot();
863 while let Some(slot) = current {
864 // Slots can only have assigned nodes when in a shadow tree.
865 let shadow = slot.containing_shadow().unwrap();
866 if let Some(data) = shadow.style_data() {
867 if data.any_slotted_rule() {
868 f(data, shadow.host());
869 }
870 }
871 current = slot.assigned_slot();
872 }
873
874 if target.has_part_attr() {
875 if let Some(mut inner_shadow) = target.containing_shadow() {
876 loop {
877 let inner_shadow_host = inner_shadow.host();
878 match inner_shadow_host.containing_shadow() {
879 Some(shadow) => {
880 if let Some(data) = shadow.style_data() {
881 if data.any_part_rule() {
882 f(data, shadow.host())
883 }
884 }
885 // TODO: Could be more granular.
886 if !inner_shadow_host.exports_any_part() {
887 break;
888 }
889 inner_shadow = shadow;
890 },
891 None => {
892 // TODO(emilio): Should probably distinguish with
893 // MatchesDocumentRules::{No,Yes,IfPart} or something so that we could
894 // skip some work.
895 doc_rules_apply = matches_user_and_content_rules;
896 break;
897 },
898 }
899 }
900 }
901 }
902
903 doc_rules_apply
904 }
905
906 /// Returns true if one of the transitions needs to be updated on this element. We check all
907 /// the transition properties to make sure that updating transitions is necessary.
908 /// This method should only be called if might_needs_transitions_update returns true when
909 /// passed the same parameters.
910 #[cfg(feature = "gecko")]
911 fn needs_transitions_update(
912 &self,
913 before_change_style: &ComputedValues,
914 after_change_style: &ComputedValues,
915 ) -> bool;
916
917 /// Returns the value of the `xml:lang=""` attribute (or, if appropriate,
918 /// the `lang=""` attribute) on this element.
919 fn lang_attr(&self) -> Option<AttrValue>;
920
921 /// Returns whether this element's language matches the language tag
922 /// `value`. If `override_lang` is not `None`, it specifies the value
923 /// of the `xml:lang=""` or `lang=""` attribute to use in place of
924 /// looking at the element and its ancestors. (This argument is used
925 /// to implement matching of `:lang()` against snapshots.)
926 fn match_element_lang(&self, override_lang: Option<Option<AttrValue>>, value: &Lang) -> bool;
927
928 /// Returns whether this element is the main body element of the HTML
929 /// document it is on.
930 fn is_html_document_body_element(&self) -> bool;
931
932 /// Generate the proper applicable declarations due to presentational hints,
933 /// and insert them into `hints`.
934 fn synthesize_presentational_hints_for_legacy_attributes<V>(
935 &self,
936 visited_handling: VisitedHandlingMode,
937 hints: &mut V,
938 ) where
939 V: Push<ApplicableDeclarationBlock>;
940
941 /// Generate the proper applicable declarations due to view transition dynamic rules, and
942 /// insert them into `rules`.
943 /// https://drafts.csswg.org/css-view-transitions-1/#document-dynamic-view-transition-style-sheet
944 fn synthesize_view_transition_dynamic_rules<V>(&self, _rules: &mut V)
945 where
946 V: Push<ApplicableDeclarationBlock>,
947 {
948 }
949
950 /// Returns element's local name.
951 fn local_name(&self) -> &<SelectorImpl as selectors::parser::SelectorImpl>::BorrowedLocalName;
952
953 /// Returns element's namespace.
954 fn namespace(&self)
955 -> &<SelectorImpl as selectors::parser::SelectorImpl>::BorrowedNamespaceUrl;
956
957 /// Returns the size of the element to be used in container size queries.
958 /// This will usually be the size of the content area of the primary box,
959 /// but can be None if there is no box or if some axis lacks size containment.
960 fn query_container_size(
961 &self,
962 display: &Display,
963 ) -> euclid::default::Size2D<Option<app_units::Au>>;
964
965 /// Returns true if the element has all of specified selector flags.
966 fn has_selector_flags(&self, flags: ElementSelectorFlags) -> bool;
967
968 /// Returns the search direction for relative selector invalidation, if it is on the search path.
969 fn relative_selector_search_direction(&self) -> ElementSelectorFlags;
970
971 /// Returns the implicit scope root for given sheet index and host.
972 fn implicit_scope_for_sheet_in_shadow_root(
973 _opaque_host: OpaqueElement,
974 _sheet_index: usize,
975 ) -> Option<ImplicitScopeRoot> {
976 None
977 }
978
979 /// Compute the damage incurred by the change from the `_old` to `_new`.
980 fn compute_layout_damage(_old: &ComputedValues, _new: &ComputedValues) -> RestyleDamage {
981 Default::default()
982 }
983}
984
985/// The attribute provider trait
986pub trait AttributeProvider {
987 /// Return the value of the given custom attibute if it exists.
988 fn get_attr(&self, attr: &LocalName) -> Option<String>;
989}
990
991/// A set of the attributes used to compute a style that uses `attr()`
992pub type AttributeReferences = Option<Box<PrecomputedHashSet<LocalName>>>;
993
994/// A data structure to keep track of the names queried from a provider.
995pub struct AttributeTracker<'a> {
996 /// The element that queries for attributes.
997 pub provider: &'a dyn AttributeProvider,
998 /// The set of attributes we have queried.
999 pub references: Box<PrecomputedHashSet<LocalName>>,
1000}
1001
1002impl<'a> AttributeTracker<'a> {
1003 /// Construct a new attribute tracker trivially.
1004 pub fn new(provider: &'a dyn AttributeProvider) -> Self {
1005 Self {
1006 provider,
1007 references: Default::default(),
1008 }
1009 }
1010
1011 /// Consstruct a new dummy attribute tracker
1012 pub fn new_dummy() -> Self {
1013 Self {
1014 provider: &DummyAttributeProvider {},
1015 references: Default::default(),
1016 }
1017 }
1018
1019 /// Extract the queried references and consume self
1020 pub fn finalize(self) -> Box<PrecomputedHashSet<LocalName>> {
1021 self.references
1022 }
1023
1024 /// Query the value and save the name of the attribtue.
1025 pub fn query(&mut self, name: &LocalName) -> Option<String> {
1026 self.references.insert(name.clone());
1027 self.provider.get_attr(name)
1028 }
1029}
1030
1031/// A dummy AttributeProvider that returns none to any attribute query.
1032#[derive(Clone, Debug, PartialEq)]
1033pub struct DummyAttributeProvider;
1034
1035impl AttributeProvider for DummyAttributeProvider {
1036 fn get_attr(&self, _attr: &LocalName) -> Option<String> {
1037 None
1038 }
1039}
1040
1041/// TNode and TElement aren't Send because we want to be careful and explicit
1042/// about our parallel traversal. However, there are certain situations
1043/// (including but not limited to the traversal) where we need to send DOM
1044/// objects to other threads.
1045///
1046/// That's the reason why `SendNode` exists.
1047#[derive(Clone, Debug, PartialEq)]
1048pub struct SendNode<N: TNode>(N);
1049unsafe impl<N: TNode> Send for SendNode<N> {}
1050impl<N: TNode> SendNode<N> {
1051 /// Unsafely construct a SendNode.
1052 pub unsafe fn new(node: N) -> Self {
1053 SendNode(node)
1054 }
1055}
1056impl<N: TNode> Deref for SendNode<N> {
1057 type Target = N;
1058 fn deref(&self) -> &N {
1059 &self.0
1060 }
1061}
1062
1063/// Same reason as for the existence of SendNode, SendElement does the proper
1064/// things for a given `TElement`.
1065#[derive(Debug, Eq, Hash, PartialEq)]
1066pub struct SendElement<E: TElement>(E);
1067unsafe impl<E: TElement> Send for SendElement<E> {}
1068impl<E: TElement> SendElement<E> {
1069 /// Unsafely construct a SendElement.
1070 pub unsafe fn new(el: E) -> Self {
1071 SendElement(el)
1072 }
1073}
1074impl<E: TElement> Deref for SendElement<E> {
1075 type Target = E;
1076 fn deref(&self) -> &E {
1077 &self.0
1078 }
1079}