はじめに
前回の記事では、Nuxt3でのデータ管理と状態管理について解説してきました。第4回となる今回は、アプリケーションの中核を成すコンポーネントの設計手法に焦点を当てていきます。
大規模なアプリケーション開発において、コンポーネントの設計は非常に重要な要素です。適切に設計されたコンポーネントは、開発効率の向上、保守性の確保、パフォーマンスの最適化など、多くの利点をもたらします。一方で、設計が不適切な場合、コードの重複、バグの発生、メンテナンスの困難さなど、様々な問題を引き起こす原因となります。
以下のような課題を抱えていませんか?
- 「コンポーネントの粒度をどう決めればいいのか分からない」
- 「似たようなコードが散在して、保守が大変」
- 「コンポーネント間のデータの受け渡しが複雑化している」
- 「TypeScriptの恩恵を最大限に受けられていない」
本記事では、これらの課題に対する実践的な解決策を、具体的なコード例とともに解説していきます。Atomic Designの考え方を基本としながら、Nuxt3とVue 3の機能を最大限に活用した、メンテナンス性の高いコンポーネント設計の手法を紹介します。
1. コンポーネント設計の基本原則
効率的なコンポーネント設計を行うためには、いくつかの重要な原則を理解し、実践する必要があります。ここでは、実務で活用できる具体的な設計手法について解説していきます。
Atomic Designの考え方
Atomic Designをベースにしたコンポーネントの階層構造を実装していきましょう:
components/
├── atoms/ # 最小単位のコンポーネント
│ ├── Button/
│ │ ├── index.vue
│ │ └── types.ts
│ └── Input/
├── molecules/ # 小規模な複合コンポーネント
│ ├── FormField/
│ └── SearchBar/
├── organisms/ # 大規模な複合コンポーネント
│ ├── Header/
│ └── UserProfile/
└── templates/ # ページレイアウト
└── Dashboard/
実装例:
<!-- components/atoms/Button/index.vue -->
<script setup lang="ts">
import type { ButtonVariant } from './types'
interface Props {
variant?: ButtonVariant
disabled?: boolean
loading?: boolean
}
const props = withDefaults(defineProps<Props>(), {
variant: 'primary',
disabled: false,
loading: false
})
const baseClasses = 'px-4 py-2 rounded-md transition-colors'
const variantClasses = computed(() => ({
'primary': 'bg-blue-500 hover:bg-blue-600 text-white',
'secondary': 'bg-gray-200 hover:bg-gray-300 text-gray-800',
'danger': 'bg-red-500 hover:bg-red-600 text-white'
}[props.variant]))
</script>
<template>
<button
:class="[baseClasses, variantClasses]"
:disabled="disabled || loading"
>
<template v-if="loading">
<span class="inline-block animate-spin mr-2">↻</span>
</template>
<slot />
</button>
</template>
// components/atoms/Button/types.ts
export type ButtonVariant = 'primary' | 'secondary' | 'danger'
単一責任の原則
コンポーネントは一つの責任だけを持つように設計します:
<!-- components/molecules/FormField/index.vue -->
<script setup lang="ts">
interface Props {
label: string
modelValue: string
error?: string
required?: boolean
}
const props = defineProps<Props>()
const emit = defineEmits<{
(e: 'update:modelValue', value: string): void
}>()
</script>
<template>
<div class="form-field">
<label class="block text-sm font-medium mb-1">
{{ label }}
<span v-if="required" class="text-red-500">*</span>
</label>
<Input
:value="modelValue"
@input="e => emit('update:modelValue', e.target.value)"
:class="{ 'border-red-500': error }"
/>
<p v-if="error" class="text-sm text-red-500 mt-1">
{{ error }}
</p>
</div>
</template>
コンポーネントの粒度
適切な粒度を保つためのガイドライン:
<!-- components/organisms/UserProfile/index.vue -->
<script setup lang="ts">
import { UserProfileTabs } from './constants'
import type { UserData } from './types'
interface Props {
userData: UserData
}
// タブの状態管理は、このコンポーネントの責務
const activeTab = ref(UserProfileTabs.INFO)
// 子コンポーネントに分割すべき複雑なロジックは別ファイルに
const {
userStats,
loading: statsLoading
} = useUserStats(props.userData.id)
</script>
<template>
<div class="user-profile">
<!-- プロフィールヘッダー部分 -->
<UserProfileHeader
:user-data="userData"
:active-tab="activeTab"
@tab-change="tab => activeTab = tab"
/>
<!-- タブコンテンツ -->
<div class="profile-content">
<UserProfileInfo
v-if="activeTab === UserProfileTabs.INFO"
:user-data="userData"
/>
<UserProfileStats
v-else-if="activeTab === UserProfileTabs.STATS"
:stats="userStats"
:loading="statsLoading"
/>
</div>
</div>
</template>
このような基本原則に従うことで、以下のような利点が得られます:
- コードの再利用性の向上
- メンテナンス性の向上
- テストの容易さ
- チーム開発での生産性向上
これらの原則を踏まえた上で、より実践的なコンポーネントの実装について詳しく見ていきましょう。
2. 実践的なコンポーネント実装
適切な設計原則を理解したところで、実際のコンポーネント実装における具体的な手法を見ていきましょう。Props、イベント、スロットを効果的に活用することで、柔軟で再利用性の高いコンポーネントを作ることができます。
Propsとイベントの設計
型安全で柔軟性の高いPropsとイベントの実装例:
<!-- components/molecules/DataTable/index.vue -->
<script setup lang="ts">
import type { DataTableColumn, SortDirection } from './types'
interface Props<T> {
columns: DataTableColumn<T>[]
items: T[]
sortable?: boolean
selectable?: boolean
}
// ジェネリック型を使用したProps定義
const props = withDefaults(defineProps<Props<any>>(), {
sortable: false,
selectable: false
})
// イベントの型定義
const emit = defineEmits<{
(e: 'sort', column: string, direction: SortDirection): void
(e: 'select', selectedItems: any[]): void
}>()
// 選択状態の管理
const selectedItems = ref<any[]>([])
// 選択状態の変更をハンドリング
const handleSelection = (item: any) => {
if (selectedItems.value.includes(item)) {
selectedItems.value = selectedItems.value.filter(i => i !== item)
} else {
selectedItems.value.push(item)
}
emit('select', selectedItems.value)
}
</script>
<template>
<div class="data-table">
<table class="min-w-full">
<thead>
<tr>
<th v-if="selectable" class="w-8">
<input
type="checkbox"
@change="e => e.target.checked ? selectedItems = [...items] : selectedItems = []"
/>
</th>
<th
v-for="column in columns"
:key="column.key"
:class="{ 'cursor-pointer': sortable && column.sortable }"
@click="sortable && column.sortable && emit('sort', column.key, 'asc')"
>
{{ column.label }}
</th>
</tr>
</thead>
<tbody>
<tr v-for="item in items" :key="item.id">
<td v-if="selectable">
<input
type="checkbox"
:checked="selectedItems.includes(item)"
@change="() => handleSelection(item)"
/>
</td>
<td v-for="column in columns" :key="column.key">
<slot
:name="`column-${column.key}`"
:item="item"
:value="item[column.key]"
>
{{ item[column.key] }}
</slot>
</td>
</tr>
</tbody>
</table>
</div>
</template>
スロットの活用
柔軟なカスタマイズを可能にするスロットの実装:
<!-- components/organisms/Card/index.vue -->
<script setup lang="ts">
interface Props {
title?: string
loading?: boolean
error?: string
}
const props = withDefaults(defineProps<Props>(), {
loading: false
})
</script>
<template>
<div class="card rounded-lg shadow-lg bg-white">
<!-- ヘッダースロット -->
<div class="card-header p-4 border-b">
<slot name="header">
<h3 v-if="title" class="text-lg font-semibold">
{{ title }}
</h3>
</slot>
</div>
<!-- メインコンテンツ -->
<div class="card-body p-4">
<template v-if="loading">
<slot name="loading">
<LoadingSpinner />
</slot>
</template>
<template v-else-if="error">
<slot name="error" :error="error">
<ErrorMessage :message="error" />
</slot>
</template>
<template v-else>
<slot />
</template>
</div>
<!-- フッタースロット -->
<div v-if="$slots.footer" class="card-footer p-4 border-t">
<slot name="footer" />
</div>
</div>
</template>
コンポーネント間の通信
Vue 3のProvide/Injectを使用した効率的な通信パターン:
// composables/useTheme.ts
export const themeSymbol = Symbol('theme')
export const useTheme = () => {
const theme = inject(themeSymbol, ref('light'))
const toggleTheme = () => {
theme.value = theme.value === 'light' ? 'dark' : 'light'
}
return {
theme,
toggleTheme
}
}
<!-- layouts/default.vue -->
<script setup lang="ts">
import { themeSymbol } from '~/composables/useTheme'
const theme = ref('light')
provide(themeSymbol, theme)
</script>
<template>
<div :class="['app', `theme-${theme}`]">
<slot />
</div>
</template>
これらの実装パターンにより、以下のような利点が得られます:
- 型安全性の確保
- コンポーネントの再利用性向上
- 柔軟なカスタマイズ性
- メンテナンスの容易さ
これらのコンポーネントにおけるロジックの分離と再利用について詳しく見ていきましょう。
3. ロジックの分離と再利用
コンポーネントを長期的にメンテナンス可能な状態に保つためには、ロジックを適切に分離し、再利用可能な形で管理することが重要です。ここでは、実践的なロジック分離のパターンを見ていきます。
Composablesの活用
フォーム関連のロジックを分離した例:
// composables/useForm.ts
interface ValidationRule {
validate: (value: any) => boolean
message: string
}
interface FieldConfig {
value: Ref<any>
rules?: ValidationRule[]
}
export const useForm = (fields: Record<string, FieldConfig>) => {
const errors = reactive<Record<string, string>>({})
const touched = reactive<Record<string, boolean>>({})
const validate = () => {
let isValid = true
Object.entries(fields).forEach(([fieldName, config]) => {
errors[fieldName] = ''
if (config.rules) {
for (const rule of config.rules) {
if (!rule.validate(config.value.value)) {
errors[fieldName] = rule.message
isValid = false
break
}
}
}
})
return isValid
}
const handleBlur = (fieldName: string) => {
touched[fieldName] = true
validate()
}
return {
errors,
touched,
validate,
handleBlur
}
}
使用例:
<!-- components/organisms/UserForm/index.vue -->
<script setup lang="ts">
const username = ref('')
const email = ref('')
const { errors, touched, validate, handleBlur } = useForm({
username: {
value: username,
rules: [
{
validate: value => value.length >= 3,
message: 'ユーザー名は3文字以上で入力してください'
}
]
},
email: {
value: email,
rules: [
{
validate: value => /^[^\s@]+@[^\s@]+\.[^\s@]+$/.test(value),
message: '有効なメールアドレスを入力してください'
}
]
}
})
const handleSubmit = async () => {
if (validate()) {
// フォームの送信処理
}
}
</script>
<template>
<form @submit.prevent="handleSubmit">
<FormField
label="ユーザー名"
v-model="username"
:error="touched.username ? errors.username : ''"
@blur="handleBlur('username')"
/>
<FormField
label="メールアドレス"
v-model="email"
:error="touched.email ? errors.email : ''"
@blur="handleBlur('email')"
/>
<Button type="submit">
登録
</Button>
</form>
</template>
Props/Emitの型定義
型安全なコンポーネント間通信の実装:
// types/components.d.ts
export interface TableColumn<T = any> {
key: keyof T
label: string
sortable?: boolean
formatter?: (value: T[keyof T]) => string
}
export interface PaginationEvent {
page: number
perPage: number
}
// components/molecules/DataTable/types.ts
import type { TableColumn } from '~/types/components'
export interface DataTableProps<T> {
columns: TableColumn<T>[]
items: T[]
page: number
perPage: number
total: number
}
export interface DataTableEmits {
(e: 'update:page', page: number): void
(e: 'update:perPage', perPage: number): void
(e: 'sort', key: string, direction: 'asc' | 'desc'): void
}
ビジネスロジックの分離
ドメインロジックを分離した実装例:
// composables/users/useUserManagement.ts
export const useUserManagement = () => {
const users = ref<User[]>([])
const loading = ref(false)
const error = ref<string | null>(null)
const fetchUsers = async (params: UserSearchParams) => {
loading.value = true
error.value = null
try {
const response = await useFetch('/api/users', {
params,
transform: (data) => {
// データの加工処理
return data.map(user => ({
...user,
fullName: `${user.firstName} ${user.lastName}`,
statusLabel: getUserStatusLabel(user.status)
}))
}
})
users.value = response.data.value || []
} catch (e) {
error.value = '取得に失敗しました'
throw e
} finally {
loading.value = false
}
}
return {
users,
loading,
error,
fetchUsers
}
}
// utils/userStatus.ts
export const getUserStatusLabel = (status: UserStatus): string => {
const statusMap: Record<UserStatus, string> = {
active: '有効',
inactive: '無効',
pending: '保留中'
}
return statusMap[status] || status
}
これらのパターンを活用することで、以下のような利点が得られます:
- ロジックの再利用性向上
- テストの容易さ
- コードの保守性向上
- 型安全性の確保
これらの実装を踏まえた上で、パフォーマンスの最適化について詳しく見ていきましょう。
4. パフォーマンスの最適化
コンポーネントの設計において、パフォーマンスの最適化は非常に重要な要素です。ここでは、実務で活用できる具体的な最適化手法を見ていきます。
メモ化とキャッシュ
不要な再計算を防ぐためのメモ化パターン:
<!-- components/organisms/UserList/index.vue -->
<script setup lang="ts">
import type { User } from '~/types'
interface Props {
users: User[]
searchQuery: string
sortBy: keyof User
sortOrder: 'asc' | 'desc'
}
const props = defineProps<Props>()
// 検索処理のメモ化
const filteredUsers = computed(() => {
console.log('Filtering users...') // デバッグ用
return props.users.filter(user =>
user.name.toLowerCase().includes(props.searchQuery.toLowerCase())
)
})
// ソート処理のメモ化
const sortedUsers = computed(() => {
console.log('Sorting users...') // デバッグ用
return [...filteredUsers.value].sort((a, b) => {
const aValue = a[props.sortBy]
const bValue = b[props.sortBy]
return props.sortOrder === 'asc'
? aValue > bValue ? 1 : -1
: aValue < bValue ? 1 : -1
})
})
// メモ化されたコンポーネント
const UserCard = defineAsyncComponent({
loader: () => import('../UserCard.vue'),
delay: 200,
timeout: 3000,
loadingComponent: LoadingCard,
errorComponent: ErrorCard,
})
</script>
<template>
<div class="user-list">
<UserCard
v-for="user in sortedUsers"
:key="user.id"
:user="user"
/>
</div>
</template>
遅延読み込み
必要なタイミングでコンポーネントを読み込む実装:
// composables/useIntersectionObserver.ts
export const useIntersectionObserver = (
callback: () => void,
options: IntersectionObserverInit = {}
) => {
const targetRef = ref<HTMLElement | null>(null)
onMounted(() => {
const observer = new IntersectionObserver(entries => {
entries.forEach(entry => {
if (entry.isIntersecting) {
callback()
}
})
}, options)
if (targetRef.value) {
observer.observe(targetRef.value)
}
onUnmounted(() => {
observer.disconnect()
})
})
return targetRef
}
使用例:
<!-- components/organisms/ImageGallery/index.vue -->
<script setup lang="ts">
const images = ref<string[]>([])
const loadedIndexes = ref<Set<number>>(new Set())
const loadImage = (index: number) => {
if (!loadedIndexes.value.has(index)) {
// 画像の遅延読み込み処理
loadedIndexes.value.add(index)
}
}
const imageRefs = ref<HTMLElement[]>([])
// 各画像要素の監視設定
onMounted(() => {
imageRefs.value.forEach((el, index) => {
const targetRef = useIntersectionObserver(
() => loadImage(index),
{ rootMargin: '50px' }
)
if (el) {
targetRef.value = el
}
})
})
</script>
<template>
<div class="image-gallery grid grid-cols-3 gap-4">
<div
v-for="(image, index) in images"
:key="index"
:ref="el => imageRefs[index] = el"
class="aspect-square"
>
<template v-if="loadedIndexes.has(index)">
<img
:src="image"
class="w-full h-full object-cover"
loading="lazy"
/>
</template>
<div v-else class="w-full h-full bg-gray-200 animate-pulse" />
</div>
</div>
</template>
レンダリングの最適化
不要な再レンダリングを防ぐための実装:
<!-- components/molecules/DataGrid/index.vue -->
<script setup lang="ts">
import type { DataGridColumn } from './types'
// 固定データはsetupの外で定義
const STATIC_CLASSES = {
table: 'min-w-full divide-y divide-gray-200',
header: 'bg-gray-50',
cell: 'px-6 py-4 whitespace-nowrap'
} as const
interface Props<T> {
columns: DataGridColumn<T>[]
items: T[]
}
const props = defineProps<Props<any>>()
// メモ化されたセル表示処理
const getCellContent = (item: any, column: DataGridColumn<any>) => {
if (column.formatter) {
return column.formatter(item[column.key])
}
return item[column.key]
}
</script>
<template>
<table :class="STATIC_CLASSES.table">
<thead :class="STATIC_CLASSES.header">
<tr>
<th
v-for="column in columns"
:key="column.key"
scope="col"
>
{{ column.label }}
</th>
</tr>
</thead>
<tbody>
<tr
v-for="item in items"
:key="item.id"
>
<td
v-for="column in columns"
:key="column.key"
:class="STATIC_CLASSES.cell"
>
{{ getCellContent(item, column) }}
</td>
</tr>
</tbody>
</table>
</template>
これらの最適化により、以下のような効果が期待できます:
- 初期表示の高速化
- スクロール時のパフォーマンス向上
- メモリ使用量の削減
- ユーザー体験の向上
これらの実装を踏まえた上で、テスト可能な設計について詳しく見ていきましょう。
5. テスト可能な設計
コンポーネントの品質を担保するためには、適切なテスト戦略が不可欠です。ここでは、Nuxt3のコンポーネントに対する実践的なテスト手法について解説します。
コンポーネントのテスト戦略
基本的なコンポーネントテストの実装例:
// components/molecules/UserCard/UserCard.test.ts
import { describe, it, expect, vi } from 'vitest'
import { mount } from '@vue/test-utils'
import UserCard from './index.vue'
describe('UserCard', () => {
const mockUser = {
id: 1,
name: 'John Doe',
email: 'john@example.com',
role: 'user'
}
it('正しくユーザー情報が表示される', () => {
const wrapper = mount(UserCard, {
props: {
user: mockUser
}
})
expect(wrapper.text()).toContain(mockUser.name)
expect(wrapper.text()).toContain(mockUser.email)
})
it('編集ボタンクリック時にイベントが発火する', async () => {
const wrapper = mount(UserCard, {
props: {
user: mockUser
}
})
await wrapper.find('[data-test="edit-button"]').trigger('click')
expect(wrapper.emitted('edit')?.[0]).toEqual([mockUser.id])
})
it('ロード中の表示が正しく動作する', () => {
const wrapper = mount(UserCard, {
props: {
user: mockUser,
loading: true
}
})
expect(wrapper.find('[data-test="loading-skeleton"]').exists()).toBe(true)
expect(wrapper.find('[data-test="user-content"]').exists()).toBe(false)
})
})
モック化とスタブ
外部依存を持つコンポーネントのテスト:
// composables/useUserApi.test.ts
import { describe, it, expect, vi } from 'vitest'
import { useUserApi } from './useUserApi'
vi.mock('#app', () => ({
useFetch: vi.fn()
}))
describe('useUserApi', () => {
it('ユーザー情報の取得が成功する', async () => {
const mockUser = { id: 1, name: 'John Doe' }
vi.mocked(useFetch).mockResolvedValueOnce({
data: ref(mockUser),
error: ref(null)
})
const { user, fetchUser } = useUserApi()
await fetchUser(1)
expect(user.value).toEqual(mockUser)
})
it('エラー時に適切に処理される', async () => {
const mockError = new Error('Network Error')
vi.mocked(useFetch).mockRejectedValueOnce(mockError)
const { error, fetchUser } = useUserApi()
await fetchUser(1)
expect(error.value).toBeTruthy()
})
})
テストカバレッジの向上
効果的なテストケースの実装:
// components/organisms/UserForm/UserForm.test.ts
import { describe, it, expect, vi } from 'vitest'
import { mount } from '@vue/test-utils'
import UserForm from './index.vue'
describe('UserForm', () => {
const createWrapper = (props = {}) => {
return mount(UserForm, {
props: {
initialData: {},
...props
}
})
}
describe('バリデーション', () => {
it('必須フィールドが空の場合にエラーを表示する', async () => {
const wrapper = createWrapper()
await wrapper.find('form').trigger('submit')
expect(wrapper.findAll('[data-test="error-message"]')).toHaveLength(2)
})
it('メールアドレスの形式が不正な場合にエラーを表示する', async () => {
const wrapper = createWrapper()
await wrapper.find('[data-test="email-input"]').setValue('invalid-email')
await wrapper.find('form').trigger('submit')
expect(wrapper.find('[data-test="email-error"]').text())
.toContain('有効なメールアドレスを入力してください')
})
})
describe('送信処理', () => {
it('正常な入力の場合に送信が成功する', async () => {
const onSubmit = vi.fn()
const wrapper = createWrapper({
onSubmit
})
await wrapper.find('[data-test="name-input"]').setValue('John Doe')
await wrapper.find('[data-test="email-input"]').setValue('john@example.com')
await wrapper.find('form').trigger('submit')
expect(onSubmit).toHaveBeenCalledWith({
name: 'John Doe',
email: 'john@example.com'
})
})
})
})
これらのテスト実装により、以下のような利点が得られます:
- コードの品質保証
- リグレッションの防止
- リファクタリングの安全性確保
- ドキュメントとしての役割
今回のシリーズでは、Nuxt3でのコンポーネント設計について、基本原則から実践的な実装方法、そしてテストまでを包括的に解説してきました。次回は「Nuxt3アプリケーションのデプロイとパフォーマンス最適化」と題して、本番環境への展開について詳しく見ていきます。