Spring
类是 Tween
的一个替代方案,对于频繁变化的值来说通常效果更好。
在这个例子中,我们有一个跟随鼠标的圆圈,以及两个值 — 圆圈的坐标和大小。让我们把它们转换成 Springs:
App
<script>
import { Spring } from 'svelte/motion';
let coords = new Spring({ x: 50, y: 50 });
let size = new Spring(10);
</script>
<script lang="ts">
import { Spring } from 'svelte/motion';
let coords = new Spring({ x: 50, y: 50 });
let size = new Spring(10);
</script>
与 Tween
一样,弹簧有一个可写的 target
属性和一个只读的 current
属性。更新事件处理程序...
<svg
onmousemove={(e) => {
coords.target = { x: e.clientX, y: e.clientY };
}}
onmousedown={() => (size.target = 30)}
onmouseup={() => (size.target = 10)}
role="presentation"
>
...以及 <circle>
的属性:
<circle
cx={coords.current.x}
cy={coords.current.y}
r={size.current}
></circle>
两个 Springs 都有默认的 stiffness
(刚度)和 damping
(阻尼)值,这些值控制弹簧的,嗯... 弹性。我们可以指定自己的初始值:
App
let coords = new Spring({ x: 50, y: 50 }, {
stiffness: 0.1,
damping: 0.25
});
移动你的鼠标,并尝试拖动滑块来体验它们如何影响弹簧的行为。注意,你可以在弹簧还在运动时调整这些值。
上一页 下一页
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
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
<script>
let coords = $state({ x: 50, y: 50 });
let size = $state(10);
</script>
<svg
onmousemove={(e) => {
coords = { x: e.clientX, y: e.clientY };
}}
onmousedown={() => (size = 30)}
onmouseup={() => (size = 10)}
role="presentation"
>
<circle
cx={coords.x}
cy={coords.y}
r={size}
></circle>
</svg>
<div class="controls">
<label>
<h3>stiffness ({coords.stiffness})</h3>
<input
bind:value={coords.stiffness}
type="range"
min="0.01"
max="1"
step="0.01"
/>
</label>
<label>
<h3>damping ({coords.damping})</h3>
<input
bind:value={coords.damping}
type="range"
min="0.01"
max="1"
step="0.01"
/>
</label>
</div>
<style>
svg {
position: absolute;
width: 100%;
height: 100%;
left: 0;
top: 0;
}
circle {
fill: #ff3e00;
}
.controls {
position: absolute;
top: 1em;
right: 1em;
width: 200px;
user-select: none;
}
.controls input {
width: 100%;
}
</style>