


Cas d'utilisation pratiques pour les animations liées au défilement dans CSS avec des délais de défilement
Mar 22, 2025 am 10:43 AMThe Scroll-Linked Animations specification is an upcoming and experimental addition to CSS. Thanks to the @scroll-timeline at-rule and animation-timeline property this specification provides, you can control the time position of regular CSS Animations by scrolling.
In this post, we’ll take a look at some practical use cases where scroll-linked animations come in handy, and how they can enrich your visitor’s browsing experience.
??? The CSS features described in this post are still experimental and not finalized at all. They are not supported by any browser at the time of writing, except for Chromium ≥ 89 with the “Experimental Web Platform Features” flag enabled.
CSS Scroll-Linked Animations, a quick primer
With the features described in the Scroll-Linked Animations specification you can drive a CSS animation by scroll: as you scroll down or up a scroll container, the linked CSS animation will advance or rewind accordingly. These scroll-linked animations can add a very nice touch to your pages.
While several JavaScript libraries to implement these Scroll-Linked Animations already do exist, the Scroll-Linked Animations specification distinguishes itself from them by:
- providing both a JS and CSS interface to implement these effects
- keeping things performant, as the animations will run on the compositor (e.g. “off main thread”)
While the Scroll-Linked Animations specification also describes a JavaScript interface that integrates nicely with the Web Animations API, the focus of this post will be on its CSS counterpart only.
To implement a basic scroll-linked animation in CSS you need three key parts:
- a CSS animation
- a scroll timeline
- a link between both
CSS animation
This is a regular CSS Animation like we already know:
@keyframes adjust-progressbar { from { transform: scaleX(0); } to { transform: scaleX(1); } }
As you normally do, attach it to an element using the animation property:
#progressbar { animation: 1s linear forwards adjust-progressbar; }
Scroll timeline
The scroll timeline allows us to map the scroll distance to the animation progress. In CSS, we describe this with the CSS @scroll-timeline at-rule.
@scroll-timeline scroll-in-document-timeline { source: auto; orientation: vertical; scroll-offsets: 0%, 100%; }
Besides giving the scroll timeline a name, it can be configured using several descriptors:
- The source describes the scrollable element whose scrolling triggers the activation and drives the progress of the timeline. By default, this is the entire document (value: auto)
- The orientation determines the scrolling direction that should trigger the animation. By default, this is vertical.
- The scroll-offsets property is an array of key points that describe the range in which the animation should be active. Those offsets can be relative/absolute values (e.g. percentages and lengths) or element-based offsets.
A previous version of the specification required you to also set a time-range descriptor. This descriptor has been removed and will automatically take over the animation-duration from the linked animation. You may still see traces of this descriptor in the demos, but you can safely ignore it.
A link between both
To associate our @scroll-timeline with our CSS animation, we use the new animation-timeline CSS property, and have it refer to the timeline’s name.
#progressbar { animation: 1s linear forwards adjust-progressbar; animation-timeline: scroll-in-document-timeline; }
With that set up the adjust-progressbar animation won’t run by itself on page load, but will only advance as we scroll down the page.
For a more in-depth introduction to @scroll-timeline please refer to Part 1 and Part 2 of my series on Scroll-Linked Animations.
The first post looks at each descriptor in more detail, explaining them with an example to go along with them, before covering many more interesting demos.
The second post digs even deeper, looking into Element-Based Offsets, which allow us to drive an animation as an element appears into and disappears from the scrollport as we scroll.
Practical use cases
Apart from the progress bar demo above, there are a few more use cases or scenarios for these Scroll-Linked Animations.
- parallax header
- image reveal/hide
- typing animation
- carousel indicators
- scrollspy
Parallax header
The most classic use case for Scroll-Linked Animations is a parallax effect, where several sections of a page seem to have a different scrolling speed. There’s a way to create these type of effects using only CSS, but that requires mind-bending transform hacks involving translate-z() and scale().
Inspired upon the Firewatch Header—which uses the mentioned transform hack—I created this version that uses a CSS scroll timeline:
Compared to the original demo:
- The markup was kept, except for that extra .parallax__cover that’s no longer needed.
- The was given a min-height to create some scroll-estate.
- The positioning of the .parallax element and its .parallax_layer child elements was tweaked.
- The transform/perspective-hack was replaced with a scroll timeline.
Each different layer uses the same scroll timeline: scroll over a distance of 100vh.
@scroll-timeline scroll-for-100vh { scroll-offsets: 0, 100vh; } .parallax__layer { animation: 1s parallax linear; animation-timeline: scroll-for-100vh; }
What’s different between layers is the distance that they move as we scroll down:
- The layer at the back should stay in place, eg. move for 0vh.
- The foremost layer should should move the fastest, e.g. 100vh.
- All layers in between are interpolated.
@keyframes parallax { to { transform: translateY(var(--offset)); } } .parallax__layer__0 { --offset: 100vh; } .parallax__layer__1 { --offset: 83vh; } .parallax__layer__2 { --offset: 67vh; } .parallax__layer__3 { --offset: 50vh; } .parallax__layer__4 { --offset: 34vh; } .parallax__layer__5 { --offset: 17vh; } .parallax__layer__6 { --offset: 0vh; }
As the foremost layers move over a greater distance, they appear to move faster than the lower layers, achieving the parallax effect.
Image reveal/hide
Another great use-case for scroll-linked animations is an image reveal: as an image slides into view, it will reveal itself.
By default, the image is given an opacity of 0 and is masked using a clip-path:
#revealing-image { opacity: 0; clip-path: inset(45% 20% 45% 20%); }
In the end-state we want the image to be fully visible, so we sent the end-frame of our animation to reflect that:
@keyframes reveal { to { clip-path: inset(0% 0% 0% 0%); opacity: 1; } }
By using element-based offsets as the offsets for our scroll timeline, we can have our reveal animation only start when the image itself slides into view.
@scroll-timeline revealing-image-timeline { scroll-offsets: selector(#revealing-image) end 0.5, selector(#revealing-image) end 1 ; } #revealing-image { animation: reveal 1s linear forwards; animation-timeline: revealing-image-timeline; }
? Can’t follow with those element-based offsets? This visualization/tool has got you covered.
Typing animation
As CSS scroll timelines can be linked to any existing CSS animation, you can take any CSS Animation demo and transform it. Take this typing animation for example:
With the addition of a scroll timeline and the animation-timeline property, it can be adjusted to “type on scroll”:
Note that to create some scroll-estate the
was also given a height of 300vh.Using a different animation, the code above can easily be adjusted to create a zoom on scroll effect:
I can see these two working great for article intros.
Carousel/Slider indicators
One of the components of a carousel (aka slider) is an indicator that exposes how many slides it contains, as well as which slide is currently active. This is typically done using bullets.
This again is something we will be able to achieve using a CSS scroll timeline, as shown in this demo created by Fabrizio Calderan:
The active state bullet is injected via .slider nav::before and has an animation set that moves it over the other bullets
/* Styling of the dots */ .slider nav::before, .slider a { inline-size: 1rem; aspect-ratio: 1; border-radius: 50%; background: #9bc; } /* Positioning of the active dot */ .slider nav::before { content: ""; position: absolute; z-index: 1; display: block; cursor: not-allowed; transform: translateX(0); animation: dot 1s steps(1, end) 0s forwards; } /* Position over time of the active dot */ @keyframes dot { 0% { transform: translateX(0); } 33% { transform: translateX(calc((100% + var(--gap)) * 1)); } 66% { transform: translateX(calc((100% + var(--gap)) * 2)); } 100% { transform: translateX(calc((100% + var(--gap)) * 3)); } }
By attaching a @scroll-timeline onto the slider, the dot that indicates the active state can move as you scroll:
@scroll-timeline slide { source: selector(#s); orientation: inline; } .slider nav::before { /* etc. */ animation-timeline: slide; }
The dot only moves after the slide has snapped to its position thanks to the inclusion of a steps() function in the animation. When removing it, it becomes more clear how the dot moves as you scroll
? This feels like the final missing piece to Christian Shaefer’s CSS-only carousel.
ScrollSpy
Back in early 2020, I created a sticky table of contents with scrolling active states. The final part to creating the demo was to use IntersectionObserver to set the active states in the table of contents (ToC) as you scroll up/down the document.
Unlike the carousel indicators demo from above we can’t simply get there by moving a single dot around, as it’s the texts in the ToC that get adjusted. To approach this situation, we need to attach two animations onto each element in the ToC:
- The first animation is to visually activate the ToC item when the proper section comes into view at the bottom edge of the document.
- The second animation is to visually deactivate the ToC item when the proper section slides out of view at the top edge of the document.
.section-nav li > a { animation: 1s activate-on-enter linear forwards, 1s deactivate-on-leave linear forwards; }
As we have two animations, we also need to create two scroll timelines, and this for each section of the content. Take the #introduction section for example:
@scroll-timeline section-introduction-enter { scroll-offsets: selector(#introduction) end 0, selector(#introduction) end 1; } @scroll-timeline section-introduction-leave { scroll-offsets: selector(#introduction) start 1, selector(#introduction) start 0; }
Once both of these timelines are linked to both animations, everything will work as expected:
.section-nav li > a[href"#introduction"] { animation-timeline: section-introduction-enter, section-introduction-leave; }
In closing
I hope I have convinced you of the potential offered by the Scroll-linked Animations specification.
Unfortunately, it’s only supported in Chromium-based browsers right now, hidden behind a flag. Given this potential, I personally hope that—once the specification settles onto a final syntax—other browser vendors will follow suit.
If you too would like to see Scroll-Linked Animations land in other browsers, you can actively star/follow the relevant browser issues.
- Chromium
- Firefox
- Safari
By actively starring issues, us developers can signal our interest into these features to browser vendors.
Ce qui précède est le contenu détaillé de. pour plus d'informations, suivez d'autres articles connexes sur le site Web de PHP en chinois!

Outils d'IA chauds

Undress AI Tool
Images de déshabillage gratuites

Undresser.AI Undress
Application basée sur l'IA pour créer des photos de nu réalistes

AI Clothes Remover
Outil d'IA en ligne pour supprimer les vêtements des photos.

Clothoff.io
Dissolvant de vêtements AI

Video Face Swap
échangez les visages dans n'importe quelle vidéo sans effort grace à notre outil d'échange de visage AI entièrement gratuit?!

Article chaud

Outils chauds

Bloc-notes++7.3.1
éditeur de code facile à utiliser et gratuit

SublimeText3 version chinoise
Version chinoise, très simple à utiliser

Envoyer Studio 13.0.1
Puissant environnement de développement intégré PHP

Dreamweaver CS6
Outils de développement Web visuel

SublimeText3 version Mac
Logiciel d'édition de code au niveau de Dieu (SublimeText3)

Il existe trois fa?ons de créer un rotateur de chargement CSS: 1. Utilisez le rotateur de base des frontières pour obtenir une animation simple via HTML et CSS; 2. Utilisez un rotateur personnalisé de plusieurs points pour atteindre l'effet de saut à travers différents temps de retard; 3. Ajoutez un rotateur dans le bouton et basculez les classes via JavaScript pour afficher l'état de chargement. Chaque approche souligne l'importance des détails de conception tels que la couleur, la taille, l'accessibilité et l'optimisation des performances pour améliorer l'expérience utilisateur.

Pour faire face à la compatibilité du navigateur CSS et aux problèmes de préfixe, vous devez comprendre les différences de prise en charge du navigateur et utiliser raisonnablement les préfixes des fournisseurs. 1. Comprendre les problèmes communs tels que Flexbox et le support de la grille, Position: Sticky Invalid et les performances d'animation sont différentes; 2. Vérifier l'état du support de la fonction de confirmation de Caniuse; 3. Utilisez correctement -webkit-, -moz-, -ms-, -o- et autres préfixes du fabricant; 4. Il est recommandé d'utiliser AutopRefixer pour ajouter automatiquement les préfixes; 5. Installez PostCSS et configurez le navigateur pour spécifier le navigateur cible; 6. Gérer automatiquement la compatibilité pendant la construction; 7. Les fonctionnalités de détection modernizr peuvent être utilisées pour les anciens projets; 8. Pas besoin de poursuivre la cohérence de tous les navigateurs,

HEMAINDIFFERENCESBetweendisplay: Inline, Block, Andinline-BlockInhtml / CSSareLayoutBehavior, SpaceUsage et StylingControl.1.InlineElementsflowWithText, Don'tStartNewLines, Ignorewidth / Height, AndonlyApplyhorizontalPadding / Marges - IdealForninetLetetStyLinSing

Utilisez l'attribut Clip-Path de CSS pour recadrer des éléments en formes personnalisées, telles que les triangles, les encoches circulaires, les polygones, etc., sans compter sur des images ou des SVG. Ses avantages incluent: 1. Prend en charge une variété de formes de base telles que le cercle, l'ellipse, le polygone, etc.; 2. Ajustement réactif et adaptable aux terminaux mobiles; 3. Facile à l'animation, et peut être combiné avec le survol ou le javascript pour obtenir des effets dynamiques; 4. Il n'affecte pas le flux de disposition et ne culte que la zone d'affichage. Les usages communs sont tels que le chemin de clip circulaire: cercle (50pxatcenter) et trame de clip Triangle: polygone (50% 0%, 100 0%, 0 0%). Avis

La définition du style de liens que vous avez visité peut améliorer l'expérience utilisateur, en particulier dans les sites Web à forte intensité de contenu pour aider les utilisateurs à mieux naviguer. 1. Utilisez CSS: Pseudo-classe visité pour définir le style du lien visité, tels que les changements de couleur; 2. Notez que le navigateur permet uniquement la modification de certains attributs en raison des restrictions de confidentialité; 3. La sélection des couleurs doit être coordonnée avec le style global pour éviter la brutalité; 4. Le terminal mobile peut ne pas afficher cet effet et il est recommandé de le combiner avec d'autres invites visuelles telles que les logos auxiliaires ic?nes.

Pour créer des images réactives à l'aide de CSS, elle peut être principalement réalisée grace aux méthodes suivantes: 1. Utilisez la largeur maximale: 100% et hauteur: Auto pour permettre à l'image de s'adapter à la largeur du conteneur tout en maintenant la proportion; 2. Utilisez les attributs SRCSET et tailles de HTML pour charger intelligemment les sources d'image adaptées à différents écrans; 3. Utilisez l'objet-ajustement et la position d'objet pour contr?ler le recadrage d'images et l'affichage de la mise au point. Ensemble, ces méthodes garantissent que les images sont présentées clairement et magnifiquement sur différents appareils.

Le choix des unités CSS dépend des exigences de conception et des exigences réactives. 1.PX est utilisé pour la taille fixe, adaptée à un contr?le précis mais au manque d'élasticité; 2.EM est une unité relative, qui est facilement causée par l'influence de l'élément parent, tandis que REM est plus stable en fonction de l'élément racine et convient à la mise à l'échelle globale; 3.VW / VH est basé sur la taille de la fenêtre, adaptée à la conception réactive, mais l'attention doit être accordée aux performances sous des écrans extrêmes; 4. Lors du choix, il doit être déterminé en fonction de la question de savoir si les ajustements réactifs, les relations de hiérarchie d'éléments et la dépendance de la fenêtre. Une utilisation raisonnable peut améliorer la flexibilité et la maintenance de la disposition.

Différents navigateurs ont des différences dans l'analyse CSS, ce qui entra?ne des effets d'affichage incohérents, y compris principalement la différence de style par défaut, la méthode de calcul du modèle de bo?te, le niveau de support Flexbox et la disposition de la grille et le comportement incohérent de certains attributs CSS. 1. Le traitement de style par défaut est incohérent. La solution consiste à utiliser cssreset ou normaliser.css pour unifier le style initial; 2. La méthode de calcul du modèle de bo?te de l'ancienne version de IE est différente. Il est recommandé d'utiliser la taille d'une bo?te: Border-Box de manière unifiée; 3. Flexbox et Grid fonctionnent différemment dans les cas de bord ou dans les anciennes versions. Plus de tests et utilisent Autoprefixer; 4. Certains comportements d'attribut CSS sont incohérents. Caniuse doit être consulté et rétrogradé.
