ルーティング
公式ルーター
多くのシングルページアプリケーションで、公式がサポートする vue-router ライブラリー を使うことを推奨します。詳細は、vue-router の ドキュメント を参照してください。
スクラッチでのシンプルなルーティング
もしシンプルなルーティングのみ必要で、フル機能のルーターライブラリーを含めたくない場合は、動的コンポーネントを使って、ブラウザーの hashchange
イベント をリッスンしたり、 History API を使うことで、現在のコンポーネントの状態を変更することができます。
以下は、最小構成の例です:
<script setup>
import { ref, computed } from 'vue'
import Home from './Home.vue'
import About from './About.vue'
import NotFound from './NotFound.vue'
const routes = {
'/': Home,
'/about': About
}
const currentPath = ref(window.location.hash)
window.addEventListener('hashchange', () => {
currentPath.value = window.location.hash
})
const currentView = computed(() => {
return routes[currentPath.value.slice(1) || '/'] || NotFound
})
</script>
<template>
<a href="#/">Home</a> |
<a href="#/about">About</a> |
<a href="#/non-existent-path">Broken Link</a>
<component :is="currentView" />
</template>