Laravel Viteとは – 基礎から理解する新世代のアセットバンドラー
モダンなWebアプリケーション開発において、JavaScriptやCSSなどのフロントエンドアセットの管理は重要な課題となっています。Laravel 9から標準で採用されたViteは、この課題に対する新しいソリューションを提供します。
従来のLaravel Mixとの決定的な違い
Laravel ViteとLaravel Mixの主な違いは以下の点にあります:
機能 | Laravel Vite | Laravel Mix |
---|
開発サーバー起動時間 | 数百ミリ秒 | 数秒〜数十秒 |
HMR (Hot Module Replacement) | ネイティブサポート | 要追加設定 |
設定の複雑さ | シンプル | やや複雑 |
ビルド速度 | 非常に高速 | 中程度 |
ESモジュールサポート | ネイティブ | 限定的 |
特筆すべき違いとして:
- 開発サーバーの起動速度
- Viteはesbuildを使用した事前バンドルにより、開発サーバーの起動が劇的に高速化
- 依存関係の解決が効率的で、大規模プロジェクトでも高速な起動を維持
- HMRの実装方法
// Laravel Vite での HMR 設定例
// 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()
}
- 設定のシンプル化
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';
export default defineConfig({
input: ['resources/css/app.css', 'resources/js/app.js'],
// 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採用による開発効率化のメリット
- 開発生産性の向上
- 即時的な変更反映によるフィードバックループの短縮
- モジュール単位での更新による効率的な開発
- TypeScriptやSassのネイティブサポート
- パフォーマンスの最適化
- 本番環境での効率的なコード分割
- 必要なモジュールのみを読み込む最適化
- ビルド時の自動的なアセット最適化
- 開発体験の改善
<!-- 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'])
特徴的な機能:
- ソースマップの自動生成
- 開発時のエラー表示の改善
- 環境変数のスマートな処理
- チーム開発での利点
- 統一された開発環境の提供
- 設定ファイルの共有が容易
- CIパイプラインとの親和性
運用面でのメリット:
メリット | 詳細 |
---|
環境構築の簡素化 | npm install と最小限の設定のみで開始可能 |
学習曲線 | 直感的なAPI設計により短期間で習得可能 |
メンテナンス性 | 設定ファイルがシンプルで管理が容易 |
スケーラビリティ | プロジェクトの成長に合わせた柔軟な拡張が可能 |
以上のように、Laravel Viteは従来のLaravel Mixと比較して、開発効率、パフォーマンス、開発体験のあらゆる面で優れた特徴を持っています。特に、高速な開発サーバーとHMRのネイティブサポートは、開発者の生産性を大きく向上させる要因となっています。
Laravel Viteの環境構築マスターガイド
必要な依存関係のインストール手順
- 新規プロジェクトでの導入
# Laravel プロジェクトの作成(新規の場合)
composer create-project laravel/laravel example-app
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
- 既存プロジェクトへの導入
# 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の最適な設定方法
基本的な設定例から、実践的な設定まで段階的に解説します。
- 基本設定
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';
export default defineConfig({
input: ['resources/css/app.css', 'resources/js/app.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,
}),
],
});
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';
import vue from '@vitejs/plugin-vue';
export default defineConfig({
'@': path.resolve(__dirname, './resources/js'),
'~': path.resolve(__dirname, './resources/css'),
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.hmr | HMR設定 | 開発環境に応じて適切に設定 |
resolve.alias | パス解決設定 | プロジェクト構造に応じて設定 |
HMRを活用した効率的な開発環境の構築
- Bladeテンプレートの設定
@vite(['resources/css/app.css', 'resources/js/app.js'])
<!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>
- HMR対応のJavaScriptモジュール設定
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');
});
}
- 開発サーバーの起動と確認
# 開発サーバー起動
npm run dev
# ビルド(本番環境用)
npm run build
# 開発サーバー起動
npm run dev
# ビルド(本番環境用)
npm run build
効率的な開発環境のためのチェックリスト:
- パフォーマンス最適化
- キャッシュディレクトリの設定確認
- 不要なファイルウォッチの除外
- 適切なポート設定
- デバッグ設定
- ソースマップの有効化
- エラー表示の最適化
- ログレベルの調整
- セキュリティ設定
- 環境変数の適切な管理
- APIエンドポイントの保護
- CORSの適切な設定
開発環境構築時の推奨設定:
{
"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の効率的なコンパイル設定
- Sass/SCSSの設定
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';
export default defineConfig({
'resources/sass/app.scss',
@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";
`
}
}
}
});
実装例:
// resources/sass/_variables.scss
// resources/sass/components/_button.scss
background-color: $primary-color;
// 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;
}
}
- TypeScript設定
"useDefineForClassFields": true,
"moduleResolution": "Node",
"resolveJsonModule": true,
"lib": ["ESNext", "DOM"],
"@/*": ["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"],
}
実装例:
// resources/js/types/User.ts
// resources/js/services/UserService.ts
export class UserService {
async getUser(id: number): Promise<User> {
const response = await fetch(`/api/users/${id}`);
// 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との連携による開発手法
- Vue.jsとの連携
import vue from '@vitejs/plugin-vue'
export default defineConfig({
input: ['resources/js/app.js'],
// 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コンポーネント例:
<!-- resources/js/components/TaskList.vue -->
<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>
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)
const response = await fetch('/api/tasks')
tasks.value = await response.json()
<!-- 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>
- Reactとの連携
import react from '@vitejs/plugin-react'
export default defineConfig({
input: ['resources/js/app.jsx'],
// 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コンポーネント例:
// resources/js/components/TaskList.jsx
import { useState, useEffect } from 'react'
export function TaskList() {
const [tasks, setTasks] = useState([])
.then(data => setTasks(data))
const completeTask = async (id) => {
await fetch(`/api/tasks/${id}/complete`, { method: 'POST' })
setTasks(tasks.filter(task => task.id !== id))
<div className="task-list">
<div key={task.id} className="task-item">
<p>{task.description}</p>
<button onClick={() => completeTask(task.id)}>完了</button>
// 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>
)
}
本番環境でのアセット最適化戦略
- ビルド最適化設定
export default defineConfig({
chunkSizeWarningLimit: 1000,
vendor: ['vue', 'axios'],
utils: ['lodash', 'moment']
// 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
}
}
}
});
- キャッシュ戦略の実装
'duration' => 60 * 60 * 24 * 30, // 30 days
// 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',
],
];
- パフォーマンス最適化テクニック
最適化項目 | 実装方法 | 効果 |
---|
コード分割 | Dynamic Importの活用 | 初期ロード時間の削減 |
画像最適化 | vite-plugin-imagemin | アセットサイズの削減 |
プリロード | リンクタグの自動生成 | 読み込み速度の向上 |
Tree Shaking | ESモジュールの活用 | 不要コードの削除 |
実装例:
const TaskList = () => import('./components/TaskList.vue')
import imagemin from 'vite-plugin-imagemin'
export default defineConfig({
name: 'removeEmptyAttrs',
// 動的インポートの例
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のトラブルシューティング完全版
よくある設定ミスとその解決方法
- アセットの読み込みエラー
問題例:
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)
解決策:
'manifest_path' => public_path('build/manifest.json'),
'build_path' => public_path('build'),
// resources/views/app.blade.php
@vite(['resources/css/app.css', 'resources/js/app.js'])
// 正しい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>
- HMRが機能しない問題
症状と対処法:
症状 | 原因 | 解決策 |
---|
変更が反映されない | WebSocket接続エラー | ポート設定の確認とファイアウォール設定の見直し |
部分的な更新失敗 | 設定ファイルの不備 | vite.config.jsのHMR設定の修正 |
完全な更新停止 | プロセスの競合 | 開発サーバーの再起動とキャッシュのクリア |
設定例:
export default defineConfig({
// 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
}
}
});
- 依存関係の競合解決
# 依存関係のクリーンアップ
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
ビルド時のパフォーマンス最適化テクニック
- メモリ使用量の最適化
export default defineConfig({
chunkSizeWarningLimit: 1000,
if (id.includes('node_modules')) {
// 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';
}
}
}
}
}
});
- ビルドパフォーマンスの監視とデバッグ
import { defineConfig } from 'vite';
import laravel from 'laravel-vite-plugin';
export default defineConfig({
input: ['resources/css/app.css', 'resources/js/app.js'],
sourcemap: process.env.NODE_ENV === 'development',
reportCompressedSize: 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,
},
},
},
});
- 最適化のベストプラクティス
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
デバッグに役立つ開発者ツールの活用法
- Vite開発者ツール
開発時の診断情報:
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);
}
- ブラウザ開発者ツールの活用
デバッグ設定例:
export default defineConfig({
// 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',
}
})
]
});
- トラブルシューティングのフローチャート
一般的なエラーと対処手順:
- ビルドエラーの場合:
- ログの確認
- 依存関係の検証
- 設定ファイルの確認
- キャッシュのクリア
- ランタイムエラーの場合:
- コンソールエラーの確認
- ネットワークタブの監視
- ソースマップの確認
- HMRの状態確認
- パフォーマンス問題の場合:
- Lighthouseの実行
- Network Throttlingでの検証
- メモリ使用量の監視
- クリティカルパスの分析
トラブルシューティングコマンド集:
npm run build -- --emptyOutDir
npm update @vitejs/plugin-vue laravel-vite-plugin
# 開発サーバーの再起動
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を使った実践的な開発フロー
効率的なアセット管理のベストプラクティス
- ディレクトリ構造の最適化
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/index.js
export { default as Button } from './Button.vue'
export { default as Card } from './Card.vue'
export { default as Modal } from './Modal.vue'
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'
- 環境別の設定管理
export default defineConfig(({ command, mode }) => {
input: ['resources/css/app.css', 'resources/js/app.js'],
if (mode === 'development') {
if (mode === 'production') {
config.build.rollupOptions = {
// 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パイプラインにおける最適な構成例
- GitHub Actionsを使用した設定例
# .github/workflows/laravel-vite.yml
branches: [ main, develop ]
branches: [ main, develop ]
- uses: actions/checkout@v2
uses: actions/setup-node@v2
- name: Install Dependencies
key: ${{ runner.os }}-vite-${{ hashFiles('**/package-lock.json') }}
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
- デプロイメントスクリプト例
npm run build -- --mode production
#!/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
- 継続的デプロイメントの設定
デプロイ設定チェックリスト:
項目 | 実装方法 | 重要度 |
---|
依存関係チェック | package.jsonの更新確認 | 高 |
ビルド検証 | テスト環境でのビルド実行 | 高 |
パフォーマンステスト | Lighthouse CI の実行 | 中 |
セキュリティスキャン | npm audit の実行 | 高 |
バックアップ作成 | デプロイ前の自動バックアップ | 中 |
チーム開発における設定共有のポイント
- 開発環境の標準化
# .nvmrc
16.14.0
# .npmrc
save-exact=true
engine-strict=true
# .nvmrc
16.14.0
# .npmrc
save-exact=true
engine-strict=true
- エディタ設定の共有
insert_final_newline = true
trim_trailing_whitespace = true
// .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
- コーディング規約の自動化
'plugin:vue/vue3-recommended',
'@vue/typescript/recommended'
'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'
}
}
- チーム開発のワークフロー管理
プロジェクト管理のベストプラクティス:
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
- プルリクエストテンプレートの使用
- 自動テストの実行確認
- コードスタイルチェック
- パフォーマンス影響の確認
# プロジェクトセットアップガイド
## 必要要件
- 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パイプラインの整備とチーム開発のルール設定は、プロジェクトの成功に重要な要素となります。