Astro + Svelte v5サイトで、静的サイト向け全文検索ライブラリ Pagefindを使ってみる

/

はじめに

今までサイト内検索では Algolia を使用していたのですが、検索 API の実行アクセス回数が少ないために無効にされてしまったので、サイト内検索機能を全文検索ライブラリの Pagefind で置換しました。

Pagefind とは

Pagefind は、ユーザーの帯域幅をできるだけ使用せず、インフラストラクチャをホストすることなく、大規模なサイトで優れたパフォーマンスを発揮することを目的とした完全に静的な検索ライブラリです。

Pagefind is a fully static search library that aims to perform well on large sites, while using as little of your users’ bandwidth as possible, and without hosting any infrastructure.

Pagefind の導入はとても簡単で、サイトのビルド時にインデックスファイルを生成し、そのファイルを利用するだけで検索機能を提供できます。

Algolia も有名で優れた検索サービスですが、(個人サイト程度では滅多に支払いは発生しないものの)従量課金制の有料サービスです。

実装

  • “astro”: “^4.15.5”
  • “svelte”: “^5.0.0-next.247”,

Astro ファイルに Pagefind を追加する場合は、Community Educational Content | Astro Docs で参照されている、Add Search To Your Astro Static Site というページに倣うのが良いと思います。

諸々の都合により Svelte で作成した component 中で pagefind を使用することにしました。

install Pagefind and add npm scripts

undefined
1
npm install -D pagefind

Pagefind はサイトビルド時に生成した静的コンテンツを利用してインデックスを作成します。通常の Astro のビルドコマンドを実行した後に、ビルド生成物のあるディレクトリを利用してインデックス作成する様に、npm scripts を記述します。

package.json
1
{
2
"scripts": {
3
"build": "astro build",
4
"postbuild": "npx pagefind --site dist",
5
"preview": "astro preview",
6
},
7
}

postbuild が完了すると、/dist/pagefind/ の様になります。

custom indexing

Pagefind はデフォルトで <body> 内にあるすべての要素をインデックス化に使用します。それではナビゲーション要素や noindex にしてあるページもインデックス化されてしまうので、適宜カスタマイズする必要があります。

ただし、<nav><header>, <footer>, <script>, <form> といった要素はデフォルトでインデックス化に使用されません。

index.html
1
<!DOCTYPE html>
2
<html lang="en">
3
<head>
4
<meta charset="UTF-8">
5
<meta name="viewport" content="width=device-width, initial-scale=1.0">
6
<meta data-pagefind-default-meta="image[content]" content="/social.png" property="og:image">
7
<title>Document</title>
8
</head>
9
<body>
10
<header></header>
11
<main data-pagefind-body>
12
<article>
13
<h1>title</h1>
14
<time data-pagefind-meta="date:2022-06-01">update: 2022-06-01</time>
15
<div class="toc" data-pagefind-ignore>
16
<ul>
17
<li>h2</li>
18
</ul>
19
</div>
20
<div>contents</div>
21
</article>
22
</main>
23
<footer></footer>
24
</body>
25
</html>

add data-pagefind-body

data-pagefind-body 属性を付加した要素の中にある要素がインデックスされるようになります。この属性が付加された場合は、付加されていない全てページが使用されない様になります。

add data-pagefind-ignore

data-pagefind-body 属性を付加した要素の中に、インデックス化に使用しないものがある場合は data-pagefind-ignore を付加する必要があります。

add data-pagefind-meta

Pagefind は各ページ中の各要素からメタデータを自動的に取得します。

  • title: h1
  • image: h1以降、最初の画像の src
  • image_alt: h1以降、最初の画像の alt
example.html
1
<h1 data-pagefind-meta="title">Hello World</h1>
2
<img data-pagefind-meta="image[src], image_alt[alt]" src="/hero.png" alt="Hero Alt Text" />
3
<time data-pagefind-meta="date:2022-06-01">update: 2022-06-01</time>
results[0].data()
1
{
2
"meta": {
3
"title": "Hello world",
4
"image": "/hero.png",
5
"image_alt": "Hero Alt Text",
6
"date": "2022-06-01"
7
}
8
}

create Pagefind Search component

Pagefind には型定義が用意されていません。自分で型定義を自分で用意するか、@ts-ignore 等で握りつぶす必要があります。

code: types/pagefind.ts
/types/pagefind.ts
1
export type Pagefind = {
2
init: () => void;
3
search: (query: string, options: Partial<Option>) => Promise<SearchResponse>;
4
debouncedSearch: (
5
query: string,
6
options: Partial<Option>,
7
miliseconds: number,
8
) => Promise<SearchResponse>;
9
};
10
11
export type SearchResponse = {
12
filters: Record<string, any>;
13
results: Result[];
14
timings: Record<"preload" | "search" | "total", number>[];
15
totalFilters: Record<string, any>;
16
unfilteredResultCount: number;
17
};
18
19
export type Result = {
20
id: string;
21
data: () => Promise<DataReturn>;
22
score: number;
23
words: Array<any>;
24
};
25
26
export type DataReturn = {
27
url: string;
28
content: string;
29
word_count: number;
30
filters: Record<string, any>;
31
meta: {
32
title: string;
33
image: string;
34
date: string;
35
};
36
anchors: Array<any>;
37
weight_locations: WeightLocation[];
38
locations: number[];
39
raw_content: string;
40
raw_url: string;
41
excerpt: string;
42
sub_results: SubResult[];
43
};
44
45
export type SubResult = {
46
title: string;
47
url: string;
48
weight_locations: WeightLocation[];
49
locations: number[];
50
excerpt: string;
51
};

Svelte v5 で作成しました。

/components/Search.svelte
1
<script lang="ts">
2
import { onMount } from "svelte";
3
import type { Pagefind, SearchResponse } from "@/types/pagefind";
4
5
let pagefind: Pagefind | null = $state(null);
6
let query = $state("");
7
8
async function search(query: string, options: Partial<Record<string, any>>, miliseconds: number) {
9
if (!pagefind || !query) return [];
10
11
const search: SearchResponse = await pagefind.debouncedSearch(query, options, miliseconds);
12
if (!search) return [];
13
14
const result = await Promise.all(search.results.map((result) => result.data()));
15
return result;
16
}
17
18
const prefix = import.meta.env.DEV ? "/dist" : "";
19
const url = `${prefix}/pagefind/pagefind.js`;
20
21
onMount(async () => {
22
const _pagefind: Pagefind = await import(/* @vite-ignore */ url);
23
if (!_pagefind) return;
24
25
pagefind = _pagefind;
26
pagefind.init();
27
});
28
29
const results = $derived(search(query, {}, 300));
30
</script>
31
32
<div class="search">
33
<input class="search-input" type="search" name="q" placeholder="検索" bind:value={query} />
34
<div class="search-results">
35
{#if !!pagefind && !!query}
36
{#await results then results}
37
{#each results as result}
38
{@const {meta, raw_url, sub_results} = result}
39
{@const {title, date} = meta}
40
<a href={raw_url}>
41
<h2>{title}</h2>
42
<time class="date" datetime={date}>{date.split("T")[0]}</time>
43
{#if sub_results.length}
44
<p>has sub_results</p>
45
{/if}
46
</a>
47
{/each}
48
{:catch err}
49
<pre>{JSON.stringify(err, null, 2)}</pre>
50
{/await}
51
{/if}
52
</div>
53
</div>
/pages/demo.astro
1
---
2
import Layout from "@/layouts/Layout.astro";
3
import Search from "@/components/Search.svelte";
4
---
5
6
<!-- Pagefindによるインデックス化を無効にする -->
7
<Layout title="Home" pagefind={false}>
8
<Search client:only="svelte" />
9
</Layout>

Image from Gyazo

おわりに

Algolia から Pagefind への移行は非常に簡単でした。Highlight や Filtering、Sorting といった機能は利用していないので、あとで検索機能を充実させるつもりです。