【保存版】Laravel Viteの完全ガイド – 環境構築から実践的な開発テクニックまで

目次

目次へ

Laravel Viteとは – 基礎から理解する新世代のアセットバンドラー

モダンなWebアプリケーション開発において、JavaScriptやCSSなどのフロントエンドアセットの管理は重要な課題となっています。Laravel 9から標準で採用されたViteは、この課題に対する新しいソリューションを提供します。

従来のLaravel Mixとの決定的な違い

Laravel ViteとLaravel Mixの主な違いは以下の点にあります:

機能Laravel ViteLaravel Mix
開発サーバー起動時間数百ミリ秒数秒〜数十秒
HMR (Hot Module Replacement)ネイティブサポート要追加設定
設定の複雑さシンプルやや複雑
ビルド速度非常に高速中程度
ESモジュールサポートネイティブ限定的

特筆すべき違いとして:

  1. 開発サーバーの起動速度
  • Viteはesbuildを使用した事前バンドルにより、開発サーバーの起動が劇的に高速化
  • 依存関係の解決が効率的で、大規模プロジェクトでも高速な起動を維持
  1. HMRの実装方法
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// Laravel Vite での HMR 設定例
// resources/js/app.js
if (import.meta.hot) {
import.meta.hot.accept()
}
// Laravel Vite での HMR 設定例 // resources/js/app.js if (import.meta.hot) { import.meta.hot.accept() }
   // Laravel Vite での HMR 設定例
   // resources/js/app.js
   if (import.meta.hot) {
       import.meta.hot.accept()
   }
  1. 設定のシンプル化
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// vite.config.js の基本設定
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';
export default defineConfig({
plugins: [
laravel({
input: ['resources/css/app.css', 'resources/js/app.js'],
refresh: true,
}),
],
});
// vite.config.js の基本設定 import { defineConfig } from 'vite'; import laravel from 'laravel-vite-plugin'; export default defineConfig({ plugins: [ laravel({ input: ['resources/css/app.css', 'resources/js/app.js'], refresh: true, }), ], });
   // vite.config.js の基本設定
   import { defineConfig } from 'vite';
   import laravel from 'laravel-vite-plugin';

   export default defineConfig({
       plugins: [
           laravel({
               input: ['resources/css/app.css', 'resources/js/app.js'],
               refresh: true,
           }),
       ],
   });

Vite採用による開発効率化のメリット

  1. 開発生産性の向上
  • 即時的な変更反映によるフィードバックループの短縮
  • モジュール単位での更新による効率的な開発
  • TypeScriptやSassのネイティブサポート
  1. パフォーマンスの最適化
  • 本番環境での効率的なコード分割
  • 必要なモジュールのみを読み込む最適化
  • ビルド時の自動的なアセット最適化
  1. 開発体験の改善
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
<!-- blade テンプレートでの使用例 -->
@vite(['resources/css/app.css', 'resources/js/app.js'])
<!-- blade テンプレートでの使用例 --> @vite(['resources/css/app.css', 'resources/js/app.js'])
   <!-- blade テンプレートでの使用例 -->
   @vite(['resources/css/app.css', 'resources/js/app.js'])

特徴的な機能:

  • ソースマップの自動生成
  • 開発時のエラー表示の改善
  • 環境変数のスマートな処理
  1. チーム開発での利点
  • 統一された開発環境の提供
  • 設定ファイルの共有が容易
  • CIパイプラインとの親和性

運用面でのメリット:

メリット詳細
環境構築の簡素化npm installと最小限の設定のみで開始可能
学習曲線直感的なAPI設計により短期間で習得可能
メンテナンス性設定ファイルがシンプルで管理が容易
スケーラビリティプロジェクトの成長に合わせた柔軟な拡張が可能

以上のように、Laravel Viteは従来のLaravel Mixと比較して、開発効率、パフォーマンス、開発体験のあらゆる面で優れた特徴を持っています。特に、高速な開発サーバーとHMRのネイティブサポートは、開発者の生産性を大きく向上させる要因となっています。

Laravel Viteの環境構築マスターガイド

必要な依存関係のインストール手順

  1. 新規プロジェクトでの導入
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Laravel プロジェクトの作成(新規の場合)
composer create-project laravel/laravel example-app
# プロジェクトディレクトリへ移動
cd example-app
# 必要なnpmパッケージのインストール
npm install --save-dev vite @vitejs/plugin-vue laravel-vite-plugin
# Laravel プロジェクトの作成(新規の場合) composer create-project laravel/laravel example-app # プロジェクトディレクトリへ移動 cd example-app # 必要なnpmパッケージのインストール npm install --save-dev vite @vitejs/plugin-vue laravel-vite-plugin
# Laravel プロジェクトの作成(新規の場合)
composer create-project laravel/laravel example-app

# プロジェクトディレクトリへ移動
cd example-app

# 必要なnpmパッケージのインストール
npm install --save-dev vite @vitejs/plugin-vue laravel-vite-plugin
  1. 既存プロジェクトへの導入
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Laravel Vite プラグインのインストール
npm install --save-dev @vitejs/plugin-vue laravel-vite-plugin
# 開発に必要な追加パッケージ(必要に応じて)
npm install --save-dev sass postcss autoprefixer
# Laravel Vite プラグインのインストール npm install --save-dev @vitejs/plugin-vue laravel-vite-plugin # 開発に必要な追加パッケージ(必要に応じて) npm install --save-dev sass postcss autoprefixer
# Laravel Vite プラグインのインストール
npm install --save-dev @vitejs/plugin-vue laravel-vite-plugin

# 開発に必要な追加パッケージ(必要に応じて)
npm install --save-dev sass postcss autoprefixer

導入時の注意点:

  • Node.js v14.18以上が必要
  • npm v7以上を推奨
  • composerがインストール済みであること

vite.config.jsの最適な設定方法

基本的な設定例から、実践的な設定まで段階的に解説します。

  1. 基本設定
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';
export default defineConfig({
plugins: [
laravel({
input: ['resources/css/app.css', 'resources/js/app.js'],
refresh: true,
}),
],
});
import { defineConfig } from 'vite'; import laravel from 'laravel-vite-plugin'; export default defineConfig({ plugins: [ laravel({ input: ['resources/css/app.css', 'resources/js/app.js'], refresh: true, }), ], });
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';

export default defineConfig({
    plugins: [
        laravel({
            input: ['resources/css/app.css', 'resources/js/app.js'],
            refresh: true,
        }),
    ],
});
  1. 高度な設定例
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';
import vue from '@vitejs/plugin-vue';
import path from 'path';
export default defineConfig({
plugins: [
laravel({
input: [
'resources/css/app.css',
'resources/js/app.js'
],
refresh: true,
}),
vue({
template: {
transformAssetUrls: {
base: null,
includeAbsolute: false,
}
}
}),
],
resolve: {
alias: {
'@': path.resolve(__dirname, './resources/js'),
'~': path.resolve(__dirname, './resources/css'),
},
},
server: {
hmr: {
host: 'localhost',
},
watch: {
usePolling: true,
},
},
});
import { defineConfig } from 'vite'; import laravel from 'laravel-vite-plugin'; import vue from '@vitejs/plugin-vue'; import path from 'path'; export default defineConfig({ plugins: [ laravel({ input: [ 'resources/css/app.css', 'resources/js/app.js' ], refresh: true, }), vue({ template: { transformAssetUrls: { base: null, includeAbsolute: false, } } }), ], resolve: { alias: { '@': path.resolve(__dirname, './resources/js'), '~': path.resolve(__dirname, './resources/css'), }, }, server: { hmr: { host: 'localhost', }, watch: { usePolling: true, }, }, });
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';
import vue from '@vitejs/plugin-vue';
import path from 'path';

export default defineConfig({
    plugins: [
        laravel({
            input: [
                'resources/css/app.css',
                'resources/js/app.js'
            ],
            refresh: true,
        }),
        vue({
            template: {
                transformAssetUrls: {
                    base: null,
                    includeAbsolute: false,
                }
            }
        }),
    ],
    resolve: {
        alias: {
            '@': path.resolve(__dirname, './resources/js'),
            '~': path.resolve(__dirname, './resources/css'),
        },
    },
    server: {
        hmr: {
            host: 'localhost',
        },
        watch: {
            usePolling: true,
        },
    },
});

設定のポイント:

設定項目目的推奨設定
inputコンパイル対象ファイル必要最小限のエントリーポイントを指定
refresh自動リロード設定true推奨(開発効率向上)
server.hmrHMR設定開発環境に応じて適切に設定
resolve.aliasパス解決設定プロジェクト構造に応じて設定

HMRを活用した効率的な開発環境の構築

  1. Bladeテンプレートの設定
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
<!DOCTYPE html>
<html>
<head>
<!-- ... -->
@vite(['resources/css/app.css', 'resources/js/app.js'])
</head>
<body>
<!-- ... -->
</body>
</html>
<!DOCTYPE html> <html> <head> <!-- ... --> @vite(['resources/css/app.css', 'resources/js/app.js']) </head> <body> <!-- ... --> </body> </html>
<!DOCTYPE html>
<html>
<head>
    <!-- ... -->
    @vite(['resources/css/app.css', 'resources/js/app.js'])
</head>
<body>
    <!-- ... -->
</body>
</html>
  1. HMR対応のJavaScriptモジュール設定
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// resources/js/app.js
if (import.meta.hot) {
import.meta.hot.accept((newModule) => {
console.log('HMR update applied');
});
}
// resources/js/app.js if (import.meta.hot) { import.meta.hot.accept((newModule) => { console.log('HMR update applied'); }); }
// resources/js/app.js
if (import.meta.hot) {
    import.meta.hot.accept((newModule) => {
        console.log('HMR update applied');
    });
}
  1. 開発サーバーの起動と確認
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# 開発サーバー起動
npm run dev
# ビルド(本番環境用)
npm run build
# 開発サーバー起動 npm run dev # ビルド(本番環境用) npm run build
# 開発サーバー起動
npm run dev

# ビルド(本番環境用)
npm run build

効率的な開発環境のためのチェックリスト:

  1. パフォーマンス最適化
  • キャッシュディレクトリの設定確認
  • 不要なファイルウォッチの除外
  • 適切なポート設定
  1. デバッグ設定
  • ソースマップの有効化
  • エラー表示の最適化
  • ログレベルの調整
  1. セキュリティ設定
  • 環境変数の適切な管理
  • APIエンドポイントの保護
  • CORSの適切な設定

開発環境構築時の推奨設定:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
{
"scripts": {
"dev": "vite",
"build": "vite build",
"serve": "vite preview"
}
}
{ "scripts": { "dev": "vite", "build": "vite build", "serve": "vite preview" } }
{
    "scripts": {
        "dev": "vite",
        "build": "vite build",
        "serve": "vite preview"
    }
}

これらの設定を行うことで、Laravel Viteの持つ高速な開発環境と効率的なアセット管理機能を最大限に活用することができます。特にHMRの活用は、開発効率を大きく向上させる重要な要素となります。

実践的なLaravel Viteの活用テクニック

SassやTypeScriptの効率的なコンパイル設定

  1. Sass/SCSSの設定
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// vite.config.js
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';
export default defineConfig({
plugins: [
laravel({
input: [
'resources/sass/app.scss',
'resources/js/app.js'
],
refresh: true,
}),
],
css: {
preprocessorOptions: {
scss: {
additionalData: `
@import "resources/sass/_variables.scss";
@import "resources/sass/_mixins.scss";
`
}
}
}
});
// vite.config.js import { defineConfig } from 'vite'; import laravel from 'laravel-vite-plugin'; export default defineConfig({ plugins: [ laravel({ input: [ 'resources/sass/app.scss', 'resources/js/app.js' ], refresh: true, }), ], css: { preprocessorOptions: { scss: { additionalData: ` @import "resources/sass/_variables.scss"; @import "resources/sass/_mixins.scss"; ` } } } });
// vite.config.js
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';

export default defineConfig({
    plugins: [
        laravel({
            input: [
                'resources/sass/app.scss',
                'resources/js/app.js'
            ],
            refresh: true,
        }),
    ],
    css: {
        preprocessorOptions: {
            scss: {
                additionalData: `
                    @import "resources/sass/_variables.scss";
                    @import "resources/sass/_mixins.scss";
                `
            }
        }
    }
});

実装例:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// resources/sass/_variables.scss
$primary-color: #4a5568;
$spacing-unit: 1rem;
// resources/sass/components/_button.scss
.btn {
padding: $spacing-unit;
background-color: $primary-color;
&:hover {
opacity: 0.9;
}
}
// resources/sass/_variables.scss $primary-color: #4a5568; $spacing-unit: 1rem; // resources/sass/components/_button.scss .btn { padding: $spacing-unit; background-color: $primary-color; &:hover { opacity: 0.9; } }
// resources/sass/_variables.scss
$primary-color: #4a5568;
$spacing-unit: 1rem;

// resources/sass/components/_button.scss
.btn {
    padding: $spacing-unit;
    background-color: $primary-color;
    &:hover {
        opacity: 0.9;
    }
}
  1. TypeScript設定
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// tsconfig.json
{
"compilerOptions": {
"target": "ESNext",
"useDefineForClassFields": true,
"module": "ESNext",
"moduleResolution": "Node",
"strict": true,
"jsx": "preserve",
"sourceMap": true,
"resolveJsonModule": true,
"isolatedModules": true,
"esModuleInterop": true,
"lib": ["ESNext", "DOM"],
"skipLibCheck": true,
"baseUrl": ".",
"paths": {
"@/*": ["resources/js/*"]
}
},
"include": ["resources/js/**/*.ts", "resources/js/**/*.d.ts", "resources/js/**/*.vue"],
}
// tsconfig.json { "compilerOptions": { "target": "ESNext", "useDefineForClassFields": true, "module": "ESNext", "moduleResolution": "Node", "strict": true, "jsx": "preserve", "sourceMap": true, "resolveJsonModule": true, "isolatedModules": true, "esModuleInterop": true, "lib": ["ESNext", "DOM"], "skipLibCheck": true, "baseUrl": ".", "paths": { "@/*": ["resources/js/*"] } }, "include": ["resources/js/**/*.ts", "resources/js/**/*.d.ts", "resources/js/**/*.vue"], }
// tsconfig.json
{
    "compilerOptions": {
        "target": "ESNext",
        "useDefineForClassFields": true,
        "module": "ESNext",
        "moduleResolution": "Node",
        "strict": true,
        "jsx": "preserve",
        "sourceMap": true,
        "resolveJsonModule": true,
        "isolatedModules": true,
        "esModuleInterop": true,
        "lib": ["ESNext", "DOM"],
        "skipLibCheck": true,
        "baseUrl": ".",
        "paths": {
            "@/*": ["resources/js/*"]
        }
    },
    "include": ["resources/js/**/*.ts", "resources/js/**/*.d.ts", "resources/js/**/*.vue"],
}

実装例:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// resources/js/types/User.ts
interface User {
id: number;
name: string;
email: string;
created_at: string;
}
// resources/js/services/UserService.ts
export class UserService {
async getUser(id: number): Promise<User> {
const response = await fetch(`/api/users/${id}`);
return response.json();
}
}
// resources/js/types/User.ts interface User { id: number; name: string; email: string; created_at: string; } // resources/js/services/UserService.ts export class UserService { async getUser(id: number): Promise<User> { const response = await fetch(`/api/users/${id}`); return response.json(); } }
// resources/js/types/User.ts
interface User {
    id: number;
    name: string;
    email: string;
    created_at: string;
}

// resources/js/services/UserService.ts
export class UserService {
    async getUser(id: number): Promise<User> {
        const response = await fetch(`/api/users/${id}`);
        return response.json();
    }
}

Vue.js/Reactとの連携による開発手法

  1. Vue.jsとの連携
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// vite.config.js
import vue from '@vitejs/plugin-vue'
export default defineConfig({
plugins: [
laravel({
input: ['resources/js/app.js'],
refresh: true,
}),
vue({
template: {
transformAssetUrls: {
base: null,
includeAbsolute: false,
}
}
}),
],
});
// vite.config.js import vue from '@vitejs/plugin-vue' export default defineConfig({ plugins: [ laravel({ input: ['resources/js/app.js'], refresh: true, }), vue({ template: { transformAssetUrls: { base: null, includeAbsolute: false, } } }), ], });
// vite.config.js
import vue from '@vitejs/plugin-vue'

export default defineConfig({
    plugins: [
        laravel({
            input: ['resources/js/app.js'],
            refresh: true,
        }),
        vue({
            template: {
                transformAssetUrls: {
                    base: null,
                    includeAbsolute: false,
                }
            }
        }),
    ],
});

Vue3コンポーネント例:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
<!-- resources/js/components/TaskList.vue -->
<template>
<div class="task-list">
<div v-for="task in tasks" :key="task.id" class="task-item">
<h3>{{ task.title }}</h3>
<p>{{ task.description }}</p>
<button @click="completeTask(task.id)">完了</button>
</div>
</div>
</template>
<script setup lang="ts">
import { ref, onMounted } from 'vue'
import type { Task } from '@/types'
const tasks = ref<Task[]>([])
const completeTask = async (id: number) => {
await fetch(`/api/tasks/${id}/complete`, { method: 'POST' })
tasks.value = tasks.value.filter(task => task.id !== id)
}
onMounted(async () => {
const response = await fetch('/api/tasks')
tasks.value = await response.json()
})
</script>
<!-- resources/js/components/TaskList.vue --> <template> <div class="task-list"> <div v-for="task in tasks" :key="task.id" class="task-item"> <h3>{{ task.title }}</h3> <p>{{ task.description }}</p> <button @click="completeTask(task.id)">完了</button> </div> </div> </template> <script setup lang="ts"> import { ref, onMounted } from 'vue' import type { Task } from '@/types' const tasks = ref<Task[]>([]) const completeTask = async (id: number) => { await fetch(`/api/tasks/${id}/complete`, { method: 'POST' }) tasks.value = tasks.value.filter(task => task.id !== id) } onMounted(async () => { const response = await fetch('/api/tasks') tasks.value = await response.json() }) </script>
<!-- resources/js/components/TaskList.vue -->
<template>
    <div class="task-list">
        <div v-for="task in tasks" :key="task.id" class="task-item">
            <h3>{{ task.title }}</h3>
            <p>{{ task.description }}</p>
            <button @click="completeTask(task.id)">完了</button>
        </div>
    </div>
</template>

<script setup lang="ts">
import { ref, onMounted } from 'vue'
import type { Task } from '@/types'

const tasks = ref<Task[]>([])

const completeTask = async (id: number) => {
    await fetch(`/api/tasks/${id}/complete`, { method: 'POST' })
    tasks.value = tasks.value.filter(task => task.id !== id)
}

onMounted(async () => {
    const response = await fetch('/api/tasks')
    tasks.value = await response.json()
})
</script>
  1. Reactとの連携
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// vite.config.js
import react from '@vitejs/plugin-react'
export default defineConfig({
plugins: [
laravel({
input: ['resources/js/app.jsx'],
refresh: true,
}),
react(),
],
});
// vite.config.js import react from '@vitejs/plugin-react' export default defineConfig({ plugins: [ laravel({ input: ['resources/js/app.jsx'], refresh: true, }), react(), ], });
// vite.config.js
import react from '@vitejs/plugin-react'

export default defineConfig({
    plugins: [
        laravel({
            input: ['resources/js/app.jsx'],
            refresh: true,
        }),
        react(),
    ],
});

Reactコンポーネント例:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// resources/js/components/TaskList.jsx
import { useState, useEffect } from 'react'
export function TaskList() {
const [tasks, setTasks] = useState([])
useEffect(() => {
fetch('/api/tasks')
.then(res => res.json())
.then(data => setTasks(data))
}, [])
const completeTask = async (id) => {
await fetch(`/api/tasks/${id}/complete`, { method: 'POST' })
setTasks(tasks.filter(task => task.id !== id))
}
return (
<div className="task-list">
{tasks.map(task => (
<div key={task.id} className="task-item">
<h3>{task.title}</h3>
<p>{task.description}</p>
<button onClick={() => completeTask(task.id)}>完了</button>
</div>
))}
</div>
)
}
// resources/js/components/TaskList.jsx import { useState, useEffect } from 'react' export function TaskList() { const [tasks, setTasks] = useState([]) useEffect(() => { fetch('/api/tasks') .then(res => res.json()) .then(data => setTasks(data)) }, []) const completeTask = async (id) => { await fetch(`/api/tasks/${id}/complete`, { method: 'POST' }) setTasks(tasks.filter(task => task.id !== id)) } return ( <div className="task-list"> {tasks.map(task => ( <div key={task.id} className="task-item"> <h3>{task.title}</h3> <p>{task.description}</p> <button onClick={() => completeTask(task.id)}>完了</button> </div> ))} </div> ) }
// resources/js/components/TaskList.jsx
import { useState, useEffect } from 'react'

export function TaskList() {
    const [tasks, setTasks] = useState([])

    useEffect(() => {
        fetch('/api/tasks')
            .then(res => res.json())
            .then(data => setTasks(data))
    }, [])

    const completeTask = async (id) => {
        await fetch(`/api/tasks/${id}/complete`, { method: 'POST' })
        setTasks(tasks.filter(task => task.id !== id))
    }

    return (
        <div className="task-list">
            {tasks.map(task => (
                <div key={task.id} className="task-item">
                    <h3>{task.title}</h3>
                    <p>{task.description}</p>
                    <button onClick={() => completeTask(task.id)}>完了</button>
                </div>
            ))}
        </div>
    )
}

本番環境でのアセット最適化戦略

  1. ビルド最適化設定
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// vite.config.js
export default defineConfig({
build: {
chunkSizeWarningLimit: 1000,
rollupOptions: {
output: {
manualChunks: {
vendor: ['vue', 'axios'],
utils: ['lodash', 'moment']
}
}
},
minify: 'terser',
terserOptions: {
compress: {
drop_console: true,
drop_debugger: true
}
}
}
});
// vite.config.js export default defineConfig({ build: { chunkSizeWarningLimit: 1000, rollupOptions: { output: { manualChunks: { vendor: ['vue', 'axios'], utils: ['lodash', 'moment'] } } }, minify: 'terser', terserOptions: { compress: { drop_console: true, drop_debugger: true } } } });
// vite.config.js
export default defineConfig({
    build: {
        chunkSizeWarningLimit: 1000,
        rollupOptions: {
            output: {
                manualChunks: {
                    vendor: ['vue', 'axios'],
                    utils: ['lodash', 'moment']
                }
            }
        },
        minify: 'terser',
        terserOptions: {
            compress: {
                drop_console: true,
                drop_debugger: true
            }
        }
    }
});
  1. キャッシュ戦略の実装
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// config/vite.php
return [
'cache' => [
'duration' => 60 * 60 * 24 * 30, // 30 days
'strategy' => 'version',
],
];
// config/vite.php return [ 'cache' => [ 'duration' => 60 * 60 * 24 * 30, // 30 days 'strategy' => 'version', ], ];
// config/vite.php
return [
    'cache' => [
        'duration' => 60 * 60 * 24 * 30, // 30 days
        'strategy' => 'version',
    ],
];
  1. パフォーマンス最適化テクニック
最適化項目実装方法効果
コード分割Dynamic Importの活用初期ロード時間の削減
画像最適化vite-plugin-imageminアセットサイズの削減
プリロードリンクタグの自動生成読み込み速度の向上
Tree ShakingESモジュールの活用不要コードの削除

実装例:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// 動的インポートの例
const TaskList = () => import('./components/TaskList.vue')
// 画像最適化の設定
import imagemin from 'vite-plugin-imagemin'
export default defineConfig({
plugins: [
imagemin({
gifsicle: {
optimizationLevel: 7,
interlaced: false
},
optipng: {
optimizationLevel: 7
},
mozjpeg: {
quality: 80
},
pngquant: {
quality: [0.8, 0.9],
speed: 4
},
svgo: {
plugins: [
{
name: 'removeViewBox'
},
{
name: 'removeEmptyAttrs',
active: false
}
]
}
})
]
});
// 動的インポートの例 const TaskList = () => import('./components/TaskList.vue') // 画像最適化の設定 import imagemin from 'vite-plugin-imagemin' export default defineConfig({ plugins: [ imagemin({ gifsicle: { optimizationLevel: 7, interlaced: false }, optipng: { optimizationLevel: 7 }, mozjpeg: { quality: 80 }, pngquant: { quality: [0.8, 0.9], speed: 4 }, svgo: { plugins: [ { name: 'removeViewBox' }, { name: 'removeEmptyAttrs', active: false } ] } }) ] });
// 動的インポートの例
const TaskList = () => import('./components/TaskList.vue')

// 画像最適化の設定
import imagemin from 'vite-plugin-imagemin'

export default defineConfig({
    plugins: [
        imagemin({
            gifsicle: {
                optimizationLevel: 7,
                interlaced: false
            },
            optipng: {
                optimizationLevel: 7
            },
            mozjpeg: {
                quality: 80
            },
            pngquant: {
                quality: [0.8, 0.9],
                speed: 4
            },
            svgo: {
                plugins: [
                    {
                        name: 'removeViewBox'
                    },
                    {
                        name: 'removeEmptyAttrs',
                        active: false
                    }
                ]
            }
        })
    ]
});

これらの実践的なテクニックを適切に組み合わせることで、効率的な開発環境と最適化された本番環境を実現することができます。特に、フレームワークとの連携やビルド最適化は、アプリケーションのパフォーマンスに直接的な影響を与える重要な要素となります。

Laravel Viteのトラブルシューティング完全版

よくある設定ミスとその解決方法

  1. アセットの読み込みエラー

問題例:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
Failed to load resource: the server responded with a status of 404 (Not Found)
Failed to load resource: the server responded with a status of 404 (Not Found)
Failed to load resource: the server responded with a status of 404 (Not Found)

解決策:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// 正しいViteマニフェストパスの設定
// config/vite.php
return [
'manifest_path' => public_path('build/manifest.json'),
'build_path' => public_path('build'),
];
// resources/views/app.blade.php
<!DOCTYPE html>
<html>
<head>
@vite(['resources/css/app.css', 'resources/js/app.js'])
</head>
</html>
// 正しいViteマニフェストパスの設定 // config/vite.php return [ 'manifest_path' => public_path('build/manifest.json'), 'build_path' => public_path('build'), ]; // resources/views/app.blade.php <!DOCTYPE html> <html> <head> @vite(['resources/css/app.css', 'resources/js/app.js']) </head> </html>
// 正しいViteマニフェストパスの設定
// config/vite.php
return [
    'manifest_path' => public_path('build/manifest.json'),
    'build_path' => public_path('build'),
];

// resources/views/app.blade.php
<!DOCTYPE html>
<html>
<head>
    @vite(['resources/css/app.css', 'resources/js/app.js'])
</head>
</html>
  1. HMRが機能しない問題

症状と対処法:

症状原因解決策
変更が反映されないWebSocket接続エラーポート設定の確認とファイアウォール設定の見直し
部分的な更新失敗設定ファイルの不備vite.config.jsのHMR設定の修正
完全な更新停止プロセスの競合開発サーバーの再起動とキャッシュのクリア

設定例:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// vite.config.js
export default defineConfig({
server: {
hmr: {
host: 'localhost',
protocol: 'ws',
port: 5173
},
watch: {
usePolling: true,
interval: 1000
}
}
});
// vite.config.js export default defineConfig({ server: { hmr: { host: 'localhost', protocol: 'ws', port: 5173 }, watch: { usePolling: true, interval: 1000 } } });
// vite.config.js
export default defineConfig({
    server: {
        hmr: {
            host: 'localhost',
            protocol: 'ws',
            port: 5173
        },
        watch: {
            usePolling: true,
            interval: 1000
        }
    }
});
  1. 依存関係の競合解決
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# 依存関係のクリーンアップ
rm -rf node_modules
rm package-lock.json
# キャッシュのクリア
npm cache clean --force
# 依存関係の再インストール
npm install
# 依存関係のクリーンアップ rm -rf node_modules rm package-lock.json # キャッシュのクリア npm cache clean --force # 依存関係の再インストール npm install
# 依存関係のクリーンアップ
rm -rf node_modules
rm package-lock.json

# キャッシュのクリア
npm cache clean --force

# 依存関係の再インストール
npm install

ビルド時のパフォーマンス最適化テクニック

  1. メモリ使用量の最適化
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// vite.config.js
export default defineConfig({
build: {
// チャンクサイズの警告しきい値を調整
chunkSizeWarningLimit: 1000,
// 出力の最適化
rollupOptions: {
output: {
// ベンダーチャンクの分割
manualChunks(id) {
if (id.includes('node_modules')) {
return 'vendor';
}
}
}
}
}
});
// vite.config.js export default defineConfig({ build: { // チャンクサイズの警告しきい値を調整 chunkSizeWarningLimit: 1000, // 出力の最適化 rollupOptions: { output: { // ベンダーチャンクの分割 manualChunks(id) { if (id.includes('node_modules')) { return 'vendor'; } } } } } });
// vite.config.js
export default defineConfig({
    build: {
        // チャンクサイズの警告しきい値を調整
        chunkSizeWarningLimit: 1000,

        // 出力の最適化
        rollupOptions: {
            output: {
                // ベンダーチャンクの分割
                manualChunks(id) {
                    if (id.includes('node_modules')) {
                        return 'vendor';
                    }
                }
            }
        }
    }
});
  1. ビルドパフォーマンスの監視とデバッグ
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// vite.config.js
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';
export default defineConfig({
plugins: [
laravel({
input: ['resources/css/app.css', 'resources/js/app.js'],
refresh: true,
}),
],
build: {
// ソースマップ生成の制御
sourcemap: process.env.NODE_ENV === 'development',
// ビルド情報の出力
reportCompressedSize: true,
// 詳細なチャンク情報
manifest: true,
// ビルドの進行状況表示
terserOptions: {
compress: {
drop_console: true,
},
},
},
});
// vite.config.js import { defineConfig } from 'vite'; import laravel from 'laravel-vite-plugin'; export default defineConfig({ plugins: [ laravel({ input: ['resources/css/app.css', 'resources/js/app.js'], refresh: true, }), ], build: { // ソースマップ生成の制御 sourcemap: process.env.NODE_ENV === 'development', // ビルド情報の出力 reportCompressedSize: true, // 詳細なチャンク情報 manifest: true, // ビルドの進行状況表示 terserOptions: { compress: { drop_console: true, }, }, }, });
// vite.config.js
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';

export default defineConfig({
    plugins: [
        laravel({
            input: ['resources/css/app.css', 'resources/js/app.js'],
            refresh: true,
        }),
    ],
    build: {
        // ソースマップ生成の制御
        sourcemap: process.env.NODE_ENV === 'development',

        // ビルド情報の出力
        reportCompressedSize: true,

        // 詳細なチャンク情報
        manifest: true,

        // ビルドの進行状況表示
        terserOptions: {
            compress: {
                drop_console: true,
            },
        },
    },
});
  1. 最適化のベストプラクティス
  • アセット最適化チェックリスト:
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# ビルドサイズの分析
npm run build -- --report
# 未使用コードの検出
npm run build -- --debug-info
# パフォーマンス測定
npm run build -- --profile
# ビルドサイズの分析 npm run build -- --report # 未使用コードの検出 npm run build -- --debug-info # パフォーマンス測定 npm run build -- --profile
  # ビルドサイズの分析
  npm run build -- --report

  # 未使用コードの検出
  npm run build -- --debug-info

  # パフォーマンス測定
  npm run build -- --profile

デバッグに役立つ開発者ツールの活用法

  1. Vite開発者ツール

開発時の診断情報:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// resources/js/app.js
if (import.meta.env.DEV) {
// 開発環境専用のデバッグ情報
console.log('Build Info:', import.meta.env.VITE_APP_VERSION);
console.log('API URL:', import.meta.env.VITE_API_URL);
}
// resources/js/app.js if (import.meta.env.DEV) { // 開発環境専用のデバッグ情報 console.log('Build Info:', import.meta.env.VITE_APP_VERSION); console.log('API URL:', import.meta.env.VITE_API_URL); }
// resources/js/app.js
if (import.meta.env.DEV) {
    // 開発環境専用のデバッグ情報
    console.log('Build Info:', import.meta.env.VITE_APP_VERSION);
    console.log('API URL:', import.meta.env.VITE_API_URL);
}
  1. ブラウザ開発者ツールの活用

デバッグ設定例:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// vite.config.js
export default defineConfig({
build: {
// ソースマップの生成
sourcemap: true,
},
plugins: [
laravel({
// HMRのデバッグログ
hmrOptions: {
overlay: true,
log: 'info',
}
})
]
});
// vite.config.js export default defineConfig({ build: { // ソースマップの生成 sourcemap: true, }, plugins: [ laravel({ // HMRのデバッグログ hmrOptions: { overlay: true, log: 'info', } }) ] });
// vite.config.js
export default defineConfig({
    build: {
        // ソースマップの生成
        sourcemap: true,
    },
    plugins: [
        laravel({
            // HMRのデバッグログ
            hmrOptions: {
                overlay: true,
                log: 'info',
            }
        })
    ]
});
  1. トラブルシューティングのフローチャート

一般的なエラーと対処手順:

  1. ビルドエラーの場合:
  • ログの確認
  • 依存関係の検証
  • 設定ファイルの確認
  • キャッシュのクリア
  1. ランタイムエラーの場合:
  • コンソールエラーの確認
  • ネットワークタブの監視
  • ソースマップの確認
  • HMRの状態確認
  1. パフォーマンス問題の場合:
  • Lighthouseの実行
  • Network Throttlingでの検証
  • メモリ使用量の監視
  • クリティカルパスの分析

トラブルシューティングコマンド集:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# 開発サーバーの再起動
npm run dev -- --force
# キャッシュのクリア
npm run build -- --emptyOutDir
# 依存関係の更新
npm update @vitejs/plugin-vue laravel-vite-plugin
# 設定の検証
vite optimize --debug
# 開発サーバーの再起動 npm run dev -- --force # キャッシュのクリア npm run build -- --emptyOutDir # 依存関係の更新 npm update @vitejs/plugin-vue laravel-vite-plugin # 設定の検証 vite optimize --debug
# 開発サーバーの再起動
npm run dev -- --force

# キャッシュのクリア
npm run build -- --emptyOutDir

# 依存関係の更新
npm update @vitejs/plugin-vue laravel-vite-plugin

# 設定の検証
vite optimize --debug

これらのトラブルシューティング手法を理解し、適切に適用することで、Laravel Viteを使用した開発における多くの一般的な問題を効率的に解決することができます。特に、開発環境での問題解決と本番環境でのパフォーマンス最適化は、アプリケーションの品質を維持する上で重要な要素となります。

Laravel Viteを使った実践的な開発フロー

効率的なアセット管理のベストプラクティス

  1. ディレクトリ構造の最適化
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
resources/
├── js/
│ ├── components/
│ ├── composables/
│ ├── layouts/
│ ├── pages/
│ └── app.js
├── css/
│ ├── components/
│ ├── layouts/
│ ├── utils/
│ └── app.css
└── views/
├── layouts/
└── components/
resources/ ├── js/ │ ├── components/ │ ├── composables/ │ ├── layouts/ │ ├── pages/ │ └── app.js ├── css/ │ ├── components/ │ ├── layouts/ │ ├── utils/ │ └── app.css └── views/ ├── layouts/ └── components/
resources/
├── js/
│   ├── components/
│   ├── composables/
│   ├── layouts/
│   ├── pages/
│   └── app.js
├── css/
│   ├── components/
│   ├── layouts/
│   ├── utils/
│   └── app.css
└── views/
    ├── layouts/
    └── components/
  1. アセットのモジュール化
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// resources/js/components/index.js
export { default as Button } from './Button.vue'
export { default as Card } from './Card.vue'
export { default as Modal } from './Modal.vue'
// resources/js/app.js
import { Button, Card, Modal } from './components'
// resources/js/components/index.js export { default as Button } from './Button.vue' export { default as Card } from './Card.vue' export { default as Modal } from './Modal.vue' // resources/js/app.js import { Button, Card, Modal } from './components'
// resources/js/components/index.js
export { default as Button } from './Button.vue'
export { default as Card } from './Card.vue'
export { default as Modal } from './Modal.vue'

// resources/js/app.js
import { Button, Card, Modal } from './components'
  1. 環境別の設定管理
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// vite.config.js
export default defineConfig(({ command, mode }) => {
const config = {
plugins: [
laravel({
input: ['resources/css/app.css', 'resources/js/app.js'],
refresh: true,
}),
],
build: {
outDir: 'public/build',
manifest: true,
}
}
if (mode === 'development') {
config.server = {
hmr: {
host: 'localhost',
}
}
}
if (mode === 'production') {
config.build.rollupOptions = {
output: {
manualChunks: {
vendor: ['vue', 'axios']
}
}
}
}
return config
})
// vite.config.js export default defineConfig(({ command, mode }) => { const config = { plugins: [ laravel({ input: ['resources/css/app.css', 'resources/js/app.js'], refresh: true, }), ], build: { outDir: 'public/build', manifest: true, } } if (mode === 'development') { config.server = { hmr: { host: 'localhost', } } } if (mode === 'production') { config.build.rollupOptions = { output: { manualChunks: { vendor: ['vue', 'axios'] } } } } return config })
// vite.config.js
export default defineConfig(({ command, mode }) => {
    const config = {
        plugins: [
            laravel({
                input: ['resources/css/app.css', 'resources/js/app.js'],
                refresh: true,
            }),
        ],
        build: {
            outDir: 'public/build',
            manifest: true,
        }
    }

    if (mode === 'development') {
        config.server = {
            hmr: {
                host: 'localhost',
            }
        }
    }

    if (mode === 'production') {
        config.build.rollupOptions = {
            output: {
                manualChunks: {
                    vendor: ['vue', 'axios']
                }
            }
        }
    }

    return config
})

CIパイプラインにおける最適な構成例

  1. GitHub Actionsを使用した設定例
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# .github/workflows/laravel-vite.yml
name: Laravel Vite CI
on:
push:
branches: [ main, develop ]
pull_request:
branches: [ main, develop ]
jobs:
build:
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v2
- name: Setup Node.js
uses: actions/setup-node@v2
with:
node-version: '16.x'
cache: 'npm'
- name: Install Dependencies
run: npm ci
- name: Build Assets
run: npm run build
- name: Cache Vite Build
uses: actions/cache@v2
with:
path: public/build
key: ${{ runner.os }}-vite-${{ hashFiles('**/package-lock.json') }}
restore-keys: |
${{ runner.os }}-vite-
- name: Run Tests
run: |
npm run test
npm run build -- --mode production
# .github/workflows/laravel-vite.yml name: Laravel Vite CI on: push: branches: [ main, develop ] pull_request: branches: [ main, develop ] jobs: build: runs-on: ubuntu-latest steps: - uses: actions/checkout@v2 - name: Setup Node.js uses: actions/setup-node@v2 with: node-version: '16.x' cache: 'npm' - name: Install Dependencies run: npm ci - name: Build Assets run: npm run build - name: Cache Vite Build uses: actions/cache@v2 with: path: public/build key: ${{ runner.os }}-vite-${{ hashFiles('**/package-lock.json') }} restore-keys: | ${{ runner.os }}-vite- - name: Run Tests run: | npm run test npm run build -- --mode production
# .github/workflows/laravel-vite.yml
name: Laravel Vite CI

on:
  push:
    branches: [ main, develop ]
  pull_request:
    branches: [ main, develop ]

jobs:
  build:
    runs-on: ubuntu-latest

    steps:
    - uses: actions/checkout@v2

    - name: Setup Node.js
      uses: actions/setup-node@v2
      with:
        node-version: '16.x'
        cache: 'npm'

    - name: Install Dependencies
      run: npm ci

    - name: Build Assets
      run: npm run build

    - name: Cache Vite Build
      uses: actions/cache@v2
      with:
        path: public/build
        key: ${{ runner.os }}-vite-${{ hashFiles('**/package-lock.json') }}
        restore-keys: |
          ${{ runner.os }}-vite-

    - name: Run Tests
      run: |
        npm run test
        npm run build -- --mode production
  1. デプロイメントスクリプト例
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
#!/bin/bash
# deploy.sh
# 依存関係のインストール
npm ci
# 本番用ビルド
npm run build -- --mode production
# キャッシュのクリア
php artisan cache:clear
php artisan config:clear
php artisan view:clear
# アセットの最適化
php artisan optimize
#!/bin/bash # deploy.sh # 依存関係のインストール npm ci # 本番用ビルド npm run build -- --mode production # キャッシュのクリア php artisan cache:clear php artisan config:clear php artisan view:clear # アセットの最適化 php artisan optimize
#!/bin/bash
# deploy.sh

# 依存関係のインストール
npm ci

# 本番用ビルド
npm run build -- --mode production

# キャッシュのクリア
php artisan cache:clear
php artisan config:clear
php artisan view:clear

# アセットの最適化
php artisan optimize
  1. 継続的デプロイメントの設定

デプロイ設定チェックリスト:

項目実装方法重要度
依存関係チェックpackage.jsonの更新確認
ビルド検証テスト環境でのビルド実行
パフォーマンステストLighthouse CI の実行
セキュリティスキャンnpm audit の実行
バックアップ作成デプロイ前の自動バックアップ

チーム開発における設定共有のポイント

  1. 開発環境の標準化
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# .nvmrc
16.14.0
# .npmrc
save-exact=true
engine-strict=true
# .nvmrc 16.14.0 # .npmrc save-exact=true engine-strict=true
# .nvmrc
16.14.0

# .npmrc
save-exact=true
engine-strict=true
  1. エディタ設定の共有
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// .editorconfig
root = true
[*]
charset = utf-8
end_of_line = lf
insert_final_newline = true
trim_trailing_whitespace = true
[*.{js,jsx,ts,tsx,vue}]
indent_style = space
indent_size = 2
[*.{css,scss,less}]
indent_style = space
indent_size = 2
// .editorconfig root = true [*] charset = utf-8 end_of_line = lf insert_final_newline = true trim_trailing_whitespace = true [*.{js,jsx,ts,tsx,vue}] indent_style = space indent_size = 2 [*.{css,scss,less}] indent_style = space indent_size = 2
// .editorconfig
root = true

[*]
charset = utf-8
end_of_line = lf
insert_final_newline = true
trim_trailing_whitespace = true

[*.{js,jsx,ts,tsx,vue}]
indent_style = space
indent_size = 2

[*.{css,scss,less}]
indent_style = space
indent_size = 2
  1. コーディング規約の自動化
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// .eslintrc.js
module.exports = {
root: true,
extends: [
'plugin:vue/vue3-recommended',
'eslint:recommended',
'@vue/typescript/recommended'
],
parserOptions: {
ecmaVersion: 2020
},
rules: {
'no-console': process.env.NODE_ENV === 'production' ? 'warn' : 'off',
'no-debugger': process.env.NODE_ENV === 'production' ? 'warn' : 'off'
}
}
// .eslintrc.js module.exports = { root: true, extends: [ 'plugin:vue/vue3-recommended', 'eslint:recommended', '@vue/typescript/recommended' ], parserOptions: { ecmaVersion: 2020 }, rules: { 'no-console': process.env.NODE_ENV === 'production' ? 'warn' : 'off', 'no-debugger': process.env.NODE_ENV === 'production' ? 'warn' : 'off' } }
// .eslintrc.js
module.exports = {
    root: true,
    extends: [
        'plugin:vue/vue3-recommended',
        'eslint:recommended',
        '@vue/typescript/recommended'
    ],
    parserOptions: {
        ecmaVersion: 2020
    },
    rules: {
        'no-console': process.env.NODE_ENV === 'production' ? 'warn' : 'off',
        'no-debugger': process.env.NODE_ENV === 'production' ? 'warn' : 'off'
    }
}
  1. チーム開発のワークフロー管理

プロジェクト管理のベストプラクティス:

  • ブランチ戦略:
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# 機能開発
git checkout -b feature/new-component
# バグ修正
git checkout -b fix/asset-loading
# リリース準備
git checkout -b release/v1.0.0
# 機能開発 git checkout -b feature/new-component # バグ修正 git checkout -b fix/asset-loading # リリース準備 git checkout -b release/v1.0.0
  # 機能開発
  git checkout -b feature/new-component

  # バグ修正
  git checkout -b fix/asset-loading

  # リリース準備
  git checkout -b release/v1.0.0
  • コードレビュープロセス:
  1. プルリクエストテンプレートの使用
  2. 自動テストの実行確認
  3. コードスタイルチェック
  4. パフォーマンス影響の確認
  • ドキュメント管理:
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# プロジェクトセットアップガイド
## 必要要件
- Node.js 16.x
- PHP 8.1以上
- Composer 2.x
## インストール手順
1. リポジトリのクローン
2. 依存関係のインストール
3. 環境設定
4. 開発サーバーの起動
# プロジェクトセットアップガイド ## 必要要件 - Node.js 16.x - PHP 8.1以上 - Composer 2.x ## インストール手順 1. リポジトリのクローン 2. 依存関係のインストール 3. 環境設定 4. 開発サーバーの起動
  # プロジェクトセットアップガイド

  ## 必要要件
  - Node.js 16.x
  - PHP 8.1以上
  - Composer 2.x

  ## インストール手順
  1. リポジトリのクローン
  2. 依存関係のインストール
  3. 環境設定
  4. 開発サーバーの起動

これらの開発フローを適切に実装することで、チームメンバー間の協力を円滑にし、品質の高いコードベースを維持することができます。特に、CI/CDパイプラインの整備とチーム開発のルール設定は、プロジェクトの成功に重要な要素となります。