用户是一群顽皮的人,如果给他们机会,他们会提交各种毫无意义的数据。为了防止他们造成混乱,验证表单数据非常重要。
第一道防线是浏览器的内置表单验证,它可以轻松地例如将<input>
标记为必填项。
src/routes/+page
<form method="POST" action="?/create">
<label>
add a todo
<input
name="description"
autocomplete="off"
required
/>
</label>
</form>
尝试在<input>
为空时按 Enter 键。
这种验证很有帮助,但不足以。某些验证规则(例如唯一性)无法使用<input>
属性表达,并且无论如何,如果用户是高级黑客,他们可能会简单地使用浏览器的开发者工具删除这些属性。为了防止此类恶作剧,您应该始终使用服务器端验证。
在src/lib/server/database.js
中,验证描述是否存在且唯一。
src/lib/server/database
export function createTodo(userid, description) {
if (description === '') {
throw new Error('todo must have a description');
}
const todos = db.get(userid);
if (todos.find((todo) => todo.description === description)) {
throw new Error('todos must be unique');
}
todos.push({
id: crypto.randomUUID(),
description,
done: false
});
}
尝试提交重复的待办事项。哎呀!SvelteKit 将我们带到一个看起来不友好的错误页面。在服务器上,我们看到了“待办事项必须唯一”的错误,但 SvelteKit 隐藏了用户意外的错误消息,因为它们通常包含敏感数据。
最好留在同一页面并提供有关错误发生情况的指示,以便用户可以修复它。为此,我们可以使用fail
函数从操作中返回数据以及相应的 HTTP 状态代码。
src/routes/+page.server
import { fail } from '@sveltejs/kit';
import * as db from '$lib/server/database.js';
export function load({ cookies }) {...}
export const actions = {
create: async ({ cookies, request }) => {
const data = await request.formData();
try {
db.createTodo(cookies.get('userid'), data.get('description'));
} catch (error) {
return fail(422, {
description: data.get('description'),
error: error.message
});
}
}
在src/routes/+page.svelte
中,我们可以通过form
prop 访问返回的值,该值仅在表单提交后才会填充。
src/routes/+page
<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>
您也可以不用
fail
包装返回操作数据——例如,在数据保存时显示“成功!”消息——它将通过form
prop 可用。
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
<script>
let { data } = $props();
</script>
<div class="centered">
<h1>todos</h1>
<form method="POST" action="?/create">
<label>
add a todo:
<input
name="description"
autocomplete="off"
/>
</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>