Basic Svelte
Introduction
Bindings
Advanced Svelte
Advanced reactivity
Advanced bindings
Advanced transitions
Context API
Special elements
<script module>
Next steps
Basic SvelteKit
Introduction
Routing
Loading data
Headers and cookies
Shared modules
API routes
Stores
Errors and redirects
Advanced SvelteKit
Page options
Link options
Advanced routing
Advanced loading
Environment variables
Conclusion
Alongside the writable
and readable
stores, Svelte ships stores for adding motion to your user interfaces.
Let’s start by changing the progress
store to a tweened
store:
App
<script>
import { tweened } from 'svelte/motion';
const progress = tweened(0);
</script>
Clicking the buttons causes the progress bar to animate to its new value. It’s a bit robotic and unsatisfying though. We need to add an easing function:
App
<script>
import { tweened } from 'svelte/motion';
import { cubicOut } from 'svelte/easing';
const progress = tweened(0, {
duration: 400,
easing: cubicOut
});
</script>
The
svelte/easing
module contains the Penner easing equations, or you can supply your ownp => t
function wherep
andt
are both values between 0 and 1.
The full set of options available to tweened
:
delay
— milliseconds before the tween startsduration
— either the duration of the tween in milliseconds, or a(from, to) => milliseconds
function allowing you to (e.g.) specify longer tweens for larger changes in valueeasing
— ap => t
functioninterpolate
— a custom(from, to) => t => value
function for interpolating between arbitrary values. By default, Svelte will interpolate between numbers, dates, and identically-shaped arrays and objects (as long as they only contain numbers and dates or other valid arrays and objects). If you want to interpolate (for example) colour strings or transformation matrices, supply a custom interpolator
You can also pass these options to progress.set
and progress.update
as a second argument, in which case they will override the defaults. The set
and update
methods both return a promise that resolves when the tween completes.
previous next
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
<script>
import { writable } from 'svelte/store';
const progress = writable(0.5);
</script>
<progress value={$progress}></progress>
<button onclick={() => progress.set(0)}>
0%
</button>
<button onclick={() => progress.set(0.25)}>
25%
</button>
<button onclick={() => progress.set(0.5)}>
50%
</button>
<button onclick={() => progress.set(0.75)}>
75%
</button>
<button onclick={() => progress.set(1)}>
100%
</button>
<style>
progress {
display: block;
width: 100%;
}
</style>