跳至主要内容

因为我们正在使用 <form>,所以即使用户没有 JavaScript,我们的应用程序也能正常工作(这种情况比你想象的要频繁得多)。这很好,因为这意味着我们的应用程序具有弹性。

大多数情况下,用户确实拥有 JavaScript。在这些情况下,我们可以渐进增强体验,就像 SvelteKit 通过使用客户端路由渐进增强 <a> 元素一样。

$app/forms 中导入 enhance 函数...

src/routes/+page
<script>
	import { enhance } from '$app/forms';

	let { data, form } = $props();
</script>

...并将 use:enhance 指令添加到 <form> 元素

src/routes/+page
<form method="POST" action="?/create" use:enhance>
src/routes/+page
<form method="POST" action="?/delete" use:enhance>

这只需要这么做!现在,当启用 JavaScript 时,use:enhance 将模拟浏览器原生行为,除了完整页面重新加载。它将

  • 更新 form 属性
  • 在成功响应时使所有数据失效,导致 load 函数重新运行
  • 在重定向响应时导航到新页面
  • 如果发生错误,则渲染最近的错误页面

现在我们正在更新页面而不是重新加载它,我们可以使用过渡等高级功能

src/routes/+page
<script>
	import { fly, slide } from 'svelte/transition';
	import { enhance } from '$app/forms';

	let { data, form } = $props();
</script>
src/routes/+page
<li in:fly={{ y: 20 }} out:slide>...</li>

在 GitHub 上编辑此页面

上一个 下一个
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
71
72
73
74
<script>
	let { data, form } = $props();
</script>
 
<div class="centered">
	<h1>todos</h1>
 
	{#if form?.error}
		<p class="error">{form.error}</p>
	{/if}
 
	<form method="POST" action="?/create">
		<label>
			add a todo:
			<input
				name="description"
				value={form?.description ?? ''}
				autocomplete="off"
				required
			/>
		</label>
	</form>
 
	<ul class="todos">
		{#each data.todos as todo (todo.id)}
			<li>
				<form method="POST" action="?/delete">
					<input type="hidden" name="id" value={todo.id} />
					<span>{todo.description}</span>
					<button aria-label="Mark as complete"></button>
				</form>
			</li>
		{/each}
	</ul>
</div>
 
<style>
	.centered {
		max-width: 20em;
		margin: 0 auto;
	}
 
	label {
		width: 100%;
	}
 
	input {
		flex: 1;
	}
 
	span {
		flex: 1;
	}
 
	button {
		border: none;
		background: url(./remove.svg) no-repeat 50% 50%;
		background-size: 1rem 1rem;
		cursor: pointer;
		height: 100%;
		aspect-ratio: 1;
		opacity: 0.5;
		transition: opacity 0.2s;
	}
 
	button:hover {
		opacity: 1;
	}
 
	.saving {
		opacity: 0.5;
	}
</style>