Laravel のログ機能の基礎知識
Laravel が提供する標準的なログ機能の概要
Laravelのログ機能は、Monologライブラリをベースに構築された強力なログシステムです。このシステムは以下の特徴を持っています:
- マルチチャンネル対応:複数のログ出力先を同時に設定可能
- 8種類のログレベル:emergency, alert, critical, error, warning, notice, info, debug
- 柔軟な設定:環境ごとに異なるログ設定が可能
- 豊富なハンドラー:ファイル、メール、Slack等への出力に対応
- ログの自動ローテーション:日付やサイズベースでのログファイルの管理
ログチャンネルとログレベルの詳細な説明
ログチャンネル
Laravelでは、以下の主要なログチャンネルが提供されています:
- single:単一のログファイルに出力
- daily:日付ベースでログファイルを作成
- slack:Slackへの通知
- stderr:標準エラー出力
- syslog:システムログ
- errorlog:PHPのerror_log()関数を使用
- monolog:Monologのハンドラーを直接設定
- custom:カスタムハンドラー
ログレベル
重要度の高い順に以下のレベルが用意されています:
- emergency:システムが使用不可
- alert:即時対応が必要
- critical:重大なエラー
- error:エラー
- warning:警告
- notice:通常だが重要な情報
- info:通常の情報
- debug:デバッグ情報
Laravel のログ設定ファイルの構造
設定ファイルconfig/logging.php
の基本構造を見ていきましょう:
'default' => env('LOG_CHANNEL', 'stack'),
// スタックチャンネル(複数のチャンネルを組み合わせ)
'channels' => ['single'],
'ignore_exceptions' => false,
'path' => storage_path('logs/laravel.log'),
'level' => env('LOG_LEVEL', 'debug'),
'path' => storage_path('logs/laravel.log'),
'level' => env('LOG_LEVEL', 'debug'),
return [
// デフォルトのログチャンネル
'default' => env('LOG_CHANNEL', 'stack'),
// ログチャンネルの定義
'channels' => [
// スタックチャンネル(複数のチャンネルを組み合わせ)
'stack' => [
'driver' => 'stack',
'channels' => ['single'],
'ignore_exceptions' => false,
],
// 単一ファイルチャンネル
'single' => [
'driver' => 'single',
'path' => storage_path('logs/laravel.log'),
'level' => env('LOG_LEVEL', 'debug'),
],
// 日次ローテーションチャンネル
'daily' => [
'driver' => 'daily',
'path' => storage_path('logs/laravel.log'),
'level' => env('LOG_LEVEL', 'debug'),
'days' => 14,
],
],
];
return [
// デフォルトのログチャンネル
'default' => env('LOG_CHANNEL', 'stack'),
// ログチャンネルの定義
'channels' => [
// スタックチャンネル(複数のチャンネルを組み合わせ)
'stack' => [
'driver' => 'stack',
'channels' => ['single'],
'ignore_exceptions' => false,
],
// 単一ファイルチャンネル
'single' => [
'driver' => 'single',
'path' => storage_path('logs/laravel.log'),
'level' => env('LOG_LEVEL', 'debug'),
],
// 日次ローテーションチャンネル
'daily' => [
'driver' => 'daily',
'path' => storage_path('logs/laravel.log'),
'level' => env('LOG_LEVEL', 'debug'),
'days' => 14,
],
],
];
重要な設定項目:
default
:デフォルトで使用するログチャンネル
channels
:利用可能なログチャンネルの定義
level
:記録する最小のログレベル
path
:ログファイルの保存場所
days
:ログファイルの保持期間(dailyドライバーの場合)
この設定ファイルを適切に設定することで、アプリケーションのニーズに合わせた柔軟なログ管理が可能になります。
Laravel ログの基本的な使い方
ログ出力の基本的な構文と使用例
Laravelでは、以下の方法でログを出力できます:
- ファサードを使用する方法
use Illuminate\Support\Facades\Log;
Log::info('ユーザーがログインしました');
Log::error('エラーが発生しました', ['exception' => $e]);
use Illuminate\Support\Facades\Log;
// 基本的な使用方法
Log::info('ユーザーがログインしました');
// 例外をログに記録
try {
// 何らかの処理
} catch (Exception $e) {
Log::error('エラーが発生しました', ['exception' => $e]);
}
use Illuminate\Support\Facades\Log;
// 基本的な使用方法
Log::info('ユーザーがログインしました');
// 例外をログに記録
try {
// 何らかの処理
} catch (Exception $e) {
Log::error('エラーが発生しました', ['exception' => $e]);
}
- ヘルパー関数を使用する方法
logger('デバッグメッセージ', ['key' => 'value']);
// info()ヘルパー
info('これは情報ログです');
// logger()ヘルパー
logger('デバッグメッセージ', ['key' => 'value']);
// info()ヘルパー
info('これは情報ログです');
// logger()ヘルパー
logger('デバッグメッセージ', ['key' => 'value']);
各ログレベルの適切な使い方
各ログレベルの使用例と適切なユースケース:
// emergency: システムが完全に使用不可能な状態
Log::emergency('データベース接続が完全に失われました', [
'error' => $exception->getMessage()
Log::alert('APIキーが無効になっています', [
'api_service' => 'payment',
// critical: アプリケーションのコンポーネントが利用できない
Log::critical('キャッシュサーバーがダウンしています', [
'cache_host' => 'redis-master'
Log::error('ユーザー登録処理でエラーが発生', [
'error_code' => $errorCode
// warning: 警告(エラーではないが注意が必要)
Log::warning('API呼び出しのレート制限に近づいています', [
'current_rate' => $currentRate,
Log::notice('バッチ処理が完了しました', [
'processed_records' => $count,
Log::info('新規ユーザーが登録されました', [
'execution_time' => $time
// emergency: システムが完全に使用不可能な状態
Log::emergency('データベース接続が完全に失われました', [
'database' => 'main',
'error' => $exception->getMessage()
]);
// alert: 即時対応が必要な状況
Log::alert('APIキーが無効になっています', [
'api_service' => 'payment',
'status' => 'invalid'
]);
// critical: アプリケーションのコンポーネントが利用できない
Log::critical('キャッシュサーバーがダウンしています', [
'cache_host' => 'redis-master'
]);
// error: 実行時エラー
Log::error('ユーザー登録処理でエラーが発生', [
'user_id' => $userId,
'error_code' => $errorCode
]);
// warning: 警告(エラーではないが注意が必要)
Log::warning('API呼び出しのレート制限に近づいています', [
'current_rate' => $currentRate,
'limit' => $rateLimit
]);
// notice: 正常だが重要な情報
Log::notice('バッチ処理が完了しました', [
'processed_records' => $count,
'duration' => $duration
]);
// info: 一般的な情報
Log::info('新規ユーザーが登録されました', [
'user_id' => $user->id,
'email' => $user->email
]);
// debug: デバッグ情報
Log::debug('クエリの実行時間', [
'query' => $query,
'execution_time' => $time
]);
// emergency: システムが完全に使用不可能な状態
Log::emergency('データベース接続が完全に失われました', [
'database' => 'main',
'error' => $exception->getMessage()
]);
// alert: 即時対応が必要な状況
Log::alert('APIキーが無効になっています', [
'api_service' => 'payment',
'status' => 'invalid'
]);
// critical: アプリケーションのコンポーネントが利用できない
Log::critical('キャッシュサーバーがダウンしています', [
'cache_host' => 'redis-master'
]);
// error: 実行時エラー
Log::error('ユーザー登録処理でエラーが発生', [
'user_id' => $userId,
'error_code' => $errorCode
]);
// warning: 警告(エラーではないが注意が必要)
Log::warning('API呼び出しのレート制限に近づいています', [
'current_rate' => $currentRate,
'limit' => $rateLimit
]);
// notice: 正常だが重要な情報
Log::notice('バッチ処理が完了しました', [
'processed_records' => $count,
'duration' => $duration
]);
// info: 一般的な情報
Log::info('新規ユーザーが登録されました', [
'user_id' => $user->id,
'email' => $user->email
]);
// debug: デバッグ情報
Log::debug('クエリの実行時間', [
'query' => $query,
'execution_time' => $time
]);
コンテキスト情報の追加方法
ログにコンテキスト情報を追加することで、問題の特定と解決が容易になります:
- 配列によるコンテキスト追加
Log::info('注文が作成されました', [
'order_id' => $order->id,
'amount' => $order->total_amount,
'items' => $order->items->count()
Log::info('注文が作成されました', [
'order_id' => $order->id,
'user_id' => $user->id,
'amount' => $order->total_amount,
'items' => $order->items->count()
]);
Log::info('注文が作成されました', [
'order_id' => $order->id,
'user_id' => $user->id,
'amount' => $order->total_amount,
'items' => $order->items->count()
]);
- with()メソッドによるコンテキスト追加
'request_id' => request()->id()
// 以降のログに自動的にコンテキストが付加される
Log::info('ユーザーアクション実行');
Log::withContext([
'user_id' => Auth::id(),
'request_id' => request()->id()
]);
// 以降のログに自動的にコンテキストが付加される
Log::info('ユーザーアクション実行');
Log::withContext([
'user_id' => Auth::id(),
'request_id' => request()->id()
]);
// 以降のログに自動的にコンテキストが付加される
Log::info('ユーザーアクション実行');
- クラス単位でのコンテキスト設定
class OrderController extends Controller
public function __construct()
// コントローラー内の全てのログにコンテキストを追加
'controller' => class_basename($this),
'session_id' => session()->getId()
class OrderController extends Controller
{
public function __construct()
{
// コントローラー内の全てのログにコンテキストを追加
Log::withContext([
'controller' => class_basename($this),
'session_id' => session()->getId()
]);
}
}
class OrderController extends Controller
{
public function __construct()
{
// コントローラー内の全てのログにコンテキストを追加
Log::withContext([
'controller' => class_basename($this),
'session_id' => session()->getId()
]);
}
}
- リクエスト情報の追加
Log::info('APIリクエスト受信', [
'method' => request()->method(),
'path' => request()->path(),
'user_agent' => request()->userAgent()
Log::info('APIリクエスト受信', [
'method' => request()->method(),
'path' => request()->path(),
'ip' => request()->ip(),
'user_agent' => request()->userAgent()
]);
Log::info('APIリクエスト受信', [
'method' => request()->method(),
'path' => request()->path(),
'ip' => request()->ip(),
'user_agent' => request()->userAgent()
]);
これらの基本的なログ機能を適切に使用することで、アプリケーションの動作状況を効果的に監視し、問題が発生した際の原因特定を容易にすることができます。
Laravelログの高度な設定とカスタマイズ
複数のログチャンネルの設定方法
複数のログチャンネルを効果的に活用することで、ログの管理と分析が容易になります。
- スタックチャンネルの設定例
'channels' => ['daily', 'slack', 'error_log'],
'ignore_exceptions' => false,
'path' => storage_path('logs/errors.log'),
'url' => env('LOG_SLACK_WEBHOOK_URL'),
'username' => 'Laravel Log',
// config/logging.php
'channels' => [
'stack' => [
'driver' => 'stack',
'channels' => ['daily', 'slack', 'error_log'],
'ignore_exceptions' => false,
],
'error_log' => [
'driver' => 'single',
'path' => storage_path('logs/errors.log'),
'level' => 'error',
],
'slack' => [
'driver' => 'slack',
'url' => env('LOG_SLACK_WEBHOOK_URL'),
'username' => 'Laravel Log',
'emoji' => ':boom:',
'level' => 'critical',
],
]
// config/logging.php
'channels' => [
'stack' => [
'driver' => 'stack',
'channels' => ['daily', 'slack', 'error_log'],
'ignore_exceptions' => false,
],
'error_log' => [
'driver' => 'single',
'path' => storage_path('logs/errors.log'),
'level' => 'error',
],
'slack' => [
'driver' => 'slack',
'url' => env('LOG_SLACK_WEBHOOK_URL'),
'username' => 'Laravel Log',
'emoji' => ':boom:',
'level' => 'critical',
],
]
- 環境別のログ設定
'path' => storage_path('logs/production.log'),
'path' => storage_path('logs/development.log'),
'channels' => [
'production' => [
'driver' => 'daily',
'path' => storage_path('logs/production.log'),
'level' => 'warning',
'days' => 30,
],
'development' => [
'driver' => 'single',
'path' => storage_path('logs/development.log'),
'level' => 'debug',
],
]
'channels' => [
'production' => [
'driver' => 'daily',
'path' => storage_path('logs/production.log'),
'level' => 'warning',
'days' => 30,
],
'development' => [
'driver' => 'single',
'path' => storage_path('logs/development.log'),
'level' => 'debug',
],
]
- チャンネルの動的な切り替え
Log::channel('error_log')->error('重大なエラーが発生しました');
Log::stack(['daily', 'slack'])->critical('システム障害が発生しました');
// 特定の処理のみ別チャンネルを使用
Log::channel('error_log')->error('重大なエラーが発生しました');
// 複数チャンネルの一時的な使用
Log::stack(['daily', 'slack'])->critical('システム障害が発生しました');
// 特定の処理のみ別チャンネルを使用
Log::channel('error_log')->error('重大なエラーが発生しました');
// 複数チャンネルの一時的な使用
Log::stack(['daily', 'slack'])->critical('システム障害が発生しました');
カスタムログハンドラーの作成手順
独自のログハンドラーを作成することで、プロジェクト固有のニーズに対応できます。
- カスタムログハンドラークラスの作成
use Monolog\Handler\AbstractProcessingHandler;
class CustomLogHandler extends AbstractProcessingHandler
protected function write(array $record): void
'timestamp' => $record['datetime']->format('Y-m-d H:i:s'),
'level' => $record['level_name'],
'message' => $record['message'],
'context' => $record['context'],
DB::table('application_logs')->insert([
'log_data' => json_encode($logData),
namespace App\Logging;
use Monolog\Logger;
use Monolog\Handler\AbstractProcessingHandler;
class CustomLogHandler extends AbstractProcessingHandler
{
protected function write(array $record): void
{
// レコードのフォーマット
$logData = [
'timestamp' => $record['datetime']->format('Y-m-d H:i:s'),
'level' => $record['level_name'],
'message' => $record['message'],
'context' => $record['context'],
];
// カスタム処理(例:データベースへの保存)
DB::table('application_logs')->insert([
'log_data' => json_encode($logData),
'created_at' => now(),
]);
}
}
namespace App\Logging;
use Monolog\Logger;
use Monolog\Handler\AbstractProcessingHandler;
class CustomLogHandler extends AbstractProcessingHandler
{
protected function write(array $record): void
{
// レコードのフォーマット
$logData = [
'timestamp' => $record['datetime']->format('Y-m-d H:i:s'),
'level' => $record['level_name'],
'message' => $record['message'],
'context' => $record['context'],
];
// カスタム処理(例:データベースへの保存)
DB::table('application_logs')->insert([
'log_data' => json_encode($logData),
'created_at' => now(),
]);
}
}
- カスタムチャンネルの作成
public function __invoke(array $config)
$logger = new Logger('custom');
$logger->pushHandler(new CustomLogHandler(
level: $config['level'] ?? Logger::DEBUG,
bubble: $config['bubble'] ?? true
namespace App\Logging;
use Monolog\Logger;
class CustomLogChannel
{
public function __invoke(array $config)
{
$logger = new Logger('custom');
$logger->pushHandler(new CustomLogHandler(
level: $config['level'] ?? Logger::DEBUG,
bubble: $config['bubble'] ?? true
));
return $logger;
}
}
namespace App\Logging;
use Monolog\Logger;
class CustomLogChannel
{
public function __invoke(array $config)
{
$logger = new Logger('custom');
$logger->pushHandler(new CustomLogHandler(
level: $config['level'] ?? Logger::DEBUG,
bubble: $config['bubble'] ?? true
));
return $logger;
}
}
- 設定ファイルへの登録
'via' => App\Logging\CustomLogChannel::class,
// config/logging.php
'channels' => [
'custom' => [
'driver' => 'custom',
'via' => App\Logging\CustomLogChannel::class,
'level' => 'debug',
],
]
// config/logging.php
'channels' => [
'custom' => [
'driver' => 'custom',
'via' => App\Logging\CustomLogChannel::class,
'level' => 'debug',
],
]
ログローテーションの設定とベストプラクティス
効率的なログ管理のためのローテーション設定と推奨プラクティス:
- 日次ローテーションの詳細設定
'path' => storage_path('logs/laravel.log'),
'daily' => [
'driver' => 'daily',
'path' => storage_path('logs/laravel.log'),
'level' => 'debug',
'days' => 14,
'permission' => 0664,
'locking' => true,
]
'daily' => [
'driver' => 'daily',
'path' => storage_path('logs/laravel.log'),
'level' => 'debug',
'days' => 14,
'permission' => 0664,
'locking' => true,
]
- サイズベースのローテーション設定
use Monolog\Handler\RotatingFileHandler;
class SizeBasedRotatingHandler extends RotatingFileHandler
protected function getTimedFilename(): string
$fileInfo = pathinfo($this->filename);
$timedFilename = str_replace(
['{filename}', '{date}'],
[$fileInfo['filename'], date('Y-m-d_H-i-s')],
if (!empty($fileInfo['extension'])) {
$timedFilename .= '.'.$fileInfo['extension'];
// カスタムサイズベースローテーションの実装
namespace App\Logging;
use Monolog\Handler\RotatingFileHandler;
class SizeBasedRotatingHandler extends RotatingFileHandler
{
protected function getTimedFilename(): string
{
$fileInfo = pathinfo($this->filename);
$timedFilename = str_replace(
['{filename}', '{date}'],
[$fileInfo['filename'], date('Y-m-d_H-i-s')],
'{filename}_{date}'
);
if (!empty($fileInfo['extension'])) {
$timedFilename .= '.'.$fileInfo['extension'];
}
return $timedFilename;
}
}
// カスタムサイズベースローテーションの実装
namespace App\Logging;
use Monolog\Handler\RotatingFileHandler;
class SizeBasedRotatingHandler extends RotatingFileHandler
{
protected function getTimedFilename(): string
{
$fileInfo = pathinfo($this->filename);
$timedFilename = str_replace(
['{filename}', '{date}'],
[$fileInfo['filename'], date('Y-m-d_H-i-s')],
'{filename}_{date}'
);
if (!empty($fileInfo['extension'])) {
$timedFilename .= '.'.$fileInfo['extension'];
}
return $timedFilename;
}
}
ログローテーションのベストプラクティス:
- ログレベルに応じた保持期間の設定
- エラーログ:30-90日
- 一般ログ:7-14日
- デバッグログ:3-7日
- ディスク容量の監視
if (disk_free_space(storage_path('logs')) < 1024 * 1024 * 100) { // 100MB未満
Log::emergency('ログディレクトリの空き容量が不足しています');
// ログディレクトリの容量チェック
if (disk_free_space(storage_path('logs')) < 1024 * 1024 * 100) { // 100MB未満
Log::emergency('ログディレクトリの空き容量が不足しています');
}
// ログディレクトリの容量チェック
if (disk_free_space(storage_path('logs')) < 1024 * 1024 * 100) { // 100MB未満
Log::emergency('ログディレクトリの空き容量が不足しています');
}
namespace App\Console\Commands;
use Illuminate\Console\Command;
use Illuminate\Support\Facades\File;
class CleanOldLogs extends Command
protected $signature = 'logs:clean {--days=7}';
$directory = storage_path('logs');
$files = File::glob($directory.'/*.log');
foreach ($files as $file) {
if (time() - File::lastModified($file) > $this->option('days') * 86400) {
namespace App\Console\Commands;
use Illuminate\Console\Command;
use Illuminate\Support\Facades\File;
class CleanOldLogs extends Command
{
protected $signature = 'logs:clean {--days=7}';
public function handle()
{
$directory = storage_path('logs');
$files = File::glob($directory.'/*.log');
foreach ($files as $file) {
if (time() - File::lastModified($file) > $this->option('days') * 86400) {
File::delete($file);
}
}
}
}
namespace App\Console\Commands;
use Illuminate\Console\Command;
use Illuminate\Support\Facades\File;
class CleanOldLogs extends Command
{
protected $signature = 'logs:clean {--days=7}';
public function handle()
{
$directory = storage_path('logs');
$files = File::glob($directory.'/*.log');
foreach ($files as $file) {
if (time() - File::lastModified($file) > $this->option('days') * 86400) {
File::delete($file);
}
}
}
}
これらの高度な設定とカスタマイズにより、アプリケーションのニーズに合わせた効率的なログ管理システムを構築できます。
実践的なログ運用テクニック
本番環境での効率的なログ管理方法
本番環境でのログ管理は、アプリケーションの安定運用に不可欠です。以下に効果的な管理方法を示します:
- 環境別のログ設定
'path' => storage_path('logs/production.log'),
'level' => env('LOG_LEVEL', 'warning'),
'path' => storage_path('logs/exceptions.log'),
'path' => storage_path('logs/access.log'),
// config/logging.php
return [
'channels' => [
'production' => [
'driver' => 'daily',
'path' => storage_path('logs/production.log'),
'level' => env('LOG_LEVEL', 'warning'),
'days' => 30,
'permission' => 0644,
],
'exceptions' => [
'driver' => 'daily',
'path' => storage_path('logs/exceptions.log'),
'level' => 'error',
'days' => 60,
],
'access' => [
'driver' => 'daily',
'path' => storage_path('logs/access.log'),
'level' => 'info',
'days' => 7,
],
],
];
// config/logging.php
return [
'channels' => [
'production' => [
'driver' => 'daily',
'path' => storage_path('logs/production.log'),
'level' => env('LOG_LEVEL', 'warning'),
'days' => 30,
'permission' => 0644,
],
'exceptions' => [
'driver' => 'daily',
'path' => storage_path('logs/exceptions.log'),
'level' => 'error',
'days' => 60,
],
'access' => [
'driver' => 'daily',
'path' => storage_path('logs/access.log'),
'level' => 'info',
'days' => 7,
],
],
];
- システムメトリクスの記録
class SystemMetricsLogger
public function logMetrics()
'memory_usage' => memory_get_usage(true),
'peak_memory' => memory_get_peak_usage(true),
'cpu_load' => sys_getloadavg(),
'disk_free' => disk_free_space(base_path()),
'php_workers' => $this->getPhpFpmProcessCount(),
Log::channel('metrics')->info('System metrics', $metrics);
class SystemMetricsLogger
{
public function logMetrics()
{
$metrics = [
'memory_usage' => memory_get_usage(true),
'peak_memory' => memory_get_peak_usage(true),
'cpu_load' => sys_getloadavg(),
'disk_free' => disk_free_space(base_path()),
'php_workers' => $this->getPhpFpmProcessCount(),
];
Log::channel('metrics')->info('System metrics', $metrics);
}
}
class SystemMetricsLogger
{
public function logMetrics()
{
$metrics = [
'memory_usage' => memory_get_usage(true),
'peak_memory' => memory_get_peak_usage(true),
'cpu_load' => sys_getloadavg(),
'disk_free' => disk_free_space(base_path()),
'php_workers' => $this->getPhpFpmProcessCount(),
];
Log::channel('metrics')->info('System metrics', $metrics);
}
}
- 自動監視の実装
// app/Providers/LogServiceProvider.php
Log::beforeLogging(function ($level, $message, $context) {
if ($level >= Logger::ERROR) {
$this->notifyTeam($level, $message, $context);
// app/Providers/LogServiceProvider.php
public function boot()
{
Log::beforeLogging(function ($level, $message, $context) {
if ($level >= Logger::ERROR) {
$this->notifyTeam($level, $message, $context);
}
});
}
// app/Providers/LogServiceProvider.php
public function boot()
{
Log::beforeLogging(function ($level, $message, $context) {
if ($level >= Logger::ERROR) {
$this->notifyTeam($level, $message, $context);
}
});
}
エラー追跡を効率化するログ設計のコツ
効率的なエラー追跡のためのログ設計パターン:
- コンテキスト情報の体系化
public static function logError($error, $additionalContext = [])
'request_id' => request()->id(),
'url' => request()->fullUrl(),
'user_id' => auth()->id(),
'trace_id' => app('trace')->getCurrentId(),
'server' => gethostname(),
'environment' => app()->environment(),
Log::error($error->getMessage(), array_merge(
['stack_trace' => $error->getTraceAsString()]
class ContextualLogger
{
public static function logError($error, $additionalContext = [])
{
$baseContext = [
'request_id' => request()->id(),
'url' => request()->fullUrl(),
'user_id' => auth()->id(),
'trace_id' => app('trace')->getCurrentId(),
'server' => gethostname(),
'environment' => app()->environment(),
];
Log::error($error->getMessage(), array_merge(
$baseContext,
$additionalContext,
['stack_trace' => $error->getTraceAsString()]
));
}
}
class ContextualLogger
{
public static function logError($error, $additionalContext = [])
{
$baseContext = [
'request_id' => request()->id(),
'url' => request()->fullUrl(),
'user_id' => auth()->id(),
'trace_id' => app('trace')->getCurrentId(),
'server' => gethostname(),
'environment' => app()->environment(),
];
Log::error($error->getMessage(), array_merge(
$baseContext,
$additionalContext,
['stack_trace' => $error->getTraceAsString()]
));
}
}
- トランザクションログの実装
public function startTransaction($type)
$this->transactionId = uniqid($type . '_');
Log::info("Transaction started", [
'transaction_id' => $this->transactionId,
public function logStep($step, $data)
Log::info("Transaction step", [
'transaction_id' => $this->transactionId,
class TransactionLogger
{
private $transactionId;
public function startTransaction($type)
{
$this->transactionId = uniqid($type . '_');
Log::info("Transaction started", [
'transaction_id' => $this->transactionId,
'type' => $type
]);
}
public function logStep($step, $data)
{
Log::info("Transaction step", [
'transaction_id' => $this->transactionId,
'step' => $step,
'data' => $data
]);
}
}
class TransactionLogger
{
private $transactionId;
public function startTransaction($type)
{
$this->transactionId = uniqid($type . '_');
Log::info("Transaction started", [
'transaction_id' => $this->transactionId,
'type' => $type
]);
}
public function logStep($step, $data)
{
Log::info("Transaction step", [
'transaction_id' => $this->transactionId,
'step' => $step,
'data' => $data
]);
}
}
セキュリティを考慮した出力の実装
セキュアなログ出力のためのベストプラクティス:
- 機密情報のマスキング
private $sensitiveKeys = [
'password', 'token', 'credit_card',
'secret', 'api_key', 'auth'
public function logSecurely($message, array $context)
$maskedContext = $this->maskSensitiveData($context);
Log::info($message, $maskedContext);
private function maskSensitiveData(array $data)
array_walk_recursive($data, function (&$value, $key) {
if ($this->isSensitive($key)) {
$value = str_repeat('*', 8);
private function isSensitive($key)
class SecureLogger
{
private $sensitiveKeys = [
'password', 'token', 'credit_card',
'secret', 'api_key', 'auth'
];
public function logSecurely($message, array $context)
{
$maskedContext = $this->maskSensitiveData($context);
Log::info($message, $maskedContext);
}
private function maskSensitiveData(array $data)
{
array_walk_recursive($data, function (&$value, $key) {
if ($this->isSensitive($key)) {
$value = str_repeat('*', 8);
}
});
return $data;
}
private function isSensitive($key)
{
return Str::contains(
strtolower($key),
$this->sensitiveKeys
);
}
}
class SecureLogger
{
private $sensitiveKeys = [
'password', 'token', 'credit_card',
'secret', 'api_key', 'auth'
];
public function logSecurely($message, array $context)
{
$maskedContext = $this->maskSensitiveData($context);
Log::info($message, $maskedContext);
}
private function maskSensitiveData(array $data)
{
array_walk_recursive($data, function (&$value, $key) {
if ($this->isSensitive($key)) {
$value = str_repeat('*', 8);
}
});
return $data;
}
private function isSensitive($key)
{
return Str::contains(
strtolower($key),
$this->sensitiveKeys
);
}
}
- PII(個人識別情報)の保護
public function logUserAction($action, $userData)
$safeUserData = $this->anonymizeUserData($userData);
Log::info("User action: {$action}", $safeUserData);
private function anonymizeUserData($userData)
'user_hash' => hash('sha256', $userData['id']),
'action_type' => $userData['action'],
'email_domain' => substr(strrchr($userData['email'], "@"), 1),
'country' => $userData['country'],
class PIILogger
{
public function logUserAction($action, $userData)
{
$safeUserData = $this->anonymizeUserData($userData);
Log::info("User action: {$action}", $safeUserData);
}
private function anonymizeUserData($userData)
{
return [
'user_hash' => hash('sha256', $userData['id']),
'action_type' => $userData['action'],
// メールアドレスの一部マスキング
'email_domain' => substr(strrchr($userData['email'], "@"), 1),
'country' => $userData['country'],
];
}
}
class PIILogger
{
public function logUserAction($action, $userData)
{
$safeUserData = $this->anonymizeUserData($userData);
Log::info("User action: {$action}", $safeUserData);
}
private function anonymizeUserData($userData)
{
return [
'user_hash' => hash('sha256', $userData['id']),
'action_type' => $userData['action'],
// メールアドレスの一部マスキング
'email_domain' => substr(strrchr($userData['email'], "@"), 1),
'country' => $userData['country'],
];
}
}
- アクセスログのセキュリティ対策
public function logAccess(Request $request)
'method' => $request->method(),
'path' => $request->path(),
'user_agent' => $request->userAgent(),
'session' => hash('sha256', $request->session()->getId()),
'params' => $this->filterSensitiveParams($request->all()),
Log::channel('access')->info('Request received', $logData);
class SecureAccessLogger
{
public function logAccess(Request $request)
{
$logData = [
'ip' => $request->ip(),
'method' => $request->method(),
'path' => $request->path(),
'user_agent' => $request->userAgent(),
// セッションIDはハッシュ化
'session' => hash('sha256', $request->session()->getId()),
// 機密パラメータを除外
'params' => $this->filterSensitiveParams($request->all()),
];
Log::channel('access')->info('Request received', $logData);
}
}
class SecureAccessLogger
{
public function logAccess(Request $request)
{
$logData = [
'ip' => $request->ip(),
'method' => $request->method(),
'path' => $request->path(),
'user_agent' => $request->userAgent(),
// セッションIDはハッシュ化
'session' => hash('sha256', $request->session()->getId()),
// 機密パラメータを除外
'params' => $this->filterSensitiveParams($request->all()),
];
Log::channel('access')->info('Request received', $logData);
}
}
これらのテクニックを適切に組み合わせることで、セキュアで管理しやすいログシステムを構築できます。特に本番環境では、セキュリティと運用効率の両方を考慮したログ設計が重要です。
Laravelログのトラブルシューティング
一般的なログ関連問題と解決方法
よくある問題とその対処方法を紹介します:
- ログファイルへの書き込み権限エラー
// 問題: storage/logs ディレクトリへの書き込み権限がない
$logPath = storage_path('logs');
if (!is_writable($logPath)) {
chmod($logPath . '/laravel.log', 0644);
// sudo chown -R www-data:www-data storage/logs
// 問題: storage/logs ディレクトリへの書き込み権限がない
// 解決方法:
// 1. 権限の確認と修正
$logPath = storage_path('logs');
if (!is_writable($logPath)) {
// 権限の修正
chmod($logPath, 0755);
// ログファイル自体の権限も修正
chmod($logPath . '/laravel.log', 0644);
}
// 2. 所有者の変更(本番環境での対応)
// ターミナルで実行:
// sudo chown -R www-data:www-data storage/logs
// 問題: storage/logs ディレクトリへの書き込み権限がない
// 解決方法:
// 1. 権限の確認と修正
$logPath = storage_path('logs');
if (!is_writable($logPath)) {
// 権限の修正
chmod($logPath, 0755);
// ログファイル自体の権限も修正
chmod($logPath . '/laravel.log', 0644);
}
// 2. 所有者の変更(本番環境での対応)
// ターミナルで実行:
// sudo chown -R www-data:www-data storage/logs
- ログローテーションの問題
// 解決方法: ログクリーンアップコマンドの実装
class LogCleanupCommand extends Command
protected $signature = 'log:cleanup {--days=7}';
$pattern = storage_path('logs/*.log');
$days = $this->option('days');
foreach (glob($pattern) as $file) {
if (time() - filemtime($file) >= $days * 86400) {
$this->info("Deleted: " . basename($file));
// 問題: ログファイルが肥大化している
// 解決方法: ログクリーンアップコマンドの実装
class LogCleanupCommand extends Command
{
protected $signature = 'log:cleanup {--days=7}';
public function handle()
{
$pattern = storage_path('logs/*.log');
$days = $this->option('days');
foreach (glob($pattern) as $file) {
if (time() - filemtime($file) >= $days * 86400) {
unlink($file);
$this->info("Deleted: " . basename($file));
}
}
}
}
// 問題: ログファイルが肥大化している
// 解決方法: ログクリーンアップコマンドの実装
class LogCleanupCommand extends Command
{
protected $signature = 'log:cleanup {--days=7}';
public function handle()
{
$pattern = storage_path('logs/*.log');
$days = $this->option('days');
foreach (glob($pattern) as $file) {
if (time() - filemtime($file) >= $days * 86400) {
unlink($file);
$this->info("Deleted: " . basename($file));
}
}
}
}
- ログメッセージの重複
// 問題: 同じログメッセージが複数回記録される
class DuplicatePreventionLogger
private static $loggedMessages = [];
public static function log($level, $message, array $context = [])
$hash = md5($level . $message . serialize($context));
if (!isset(self::$loggedMessages[$hash])) {
Log::$level($message, $context);
self::$loggedMessages[$hash] = true;
// 問題: 同じログメッセージが複数回記録される
// 解決方法: ログハンドラーの重複チェック
class DuplicatePreventionLogger
{
private static $loggedMessages = [];
public static function log($level, $message, array $context = [])
{
$hash = md5($level . $message . serialize($context));
if (!isset(self::$loggedMessages[$hash])) {
Log::$level($message, $context);
self::$loggedMessages[$hash] = true;
}
}
}
// 問題: 同じログメッセージが複数回記録される
// 解決方法: ログハンドラーの重複チェック
class DuplicatePreventionLogger
{
private static $loggedMessages = [];
public static function log($level, $message, array $context = [])
{
$hash = md5($level . $message . serialize($context));
if (!isset(self::$loggedMessages[$hash])) {
Log::$level($message, $context);
self::$loggedMessages[$hash] = true;
}
}
}
パフォーマンスを重視したログ設定の最適化
パフォーマンスを考慮したログ設定のベストプラクティス:
- バッファリングの実装
private $maxBufferSize = 100;
public function add($message, $context = [])
'timestamp' => microtime(true)
if (count($this->buffer) >= $this->maxBufferSize) {
if (empty($this->buffer)) {
DB::transaction(function () {
foreach ($this->buffer as $log) {
Log::info($log['message'], $log['context']);
class BufferedLogger
{
private $buffer = [];
private $maxBufferSize = 100;
public function add($message, $context = [])
{
$this->buffer[] = [
'message' => $message,
'context' => $context,
'timestamp' => microtime(true)
];
if (count($this->buffer) >= $this->maxBufferSize) {
$this->flush();
}
}
public function flush()
{
if (empty($this->buffer)) {
return;
}
DB::transaction(function () {
foreach ($this->buffer as $log) {
Log::info($log['message'], $log['context']);
}
});
$this->buffer = [];
}
}
class BufferedLogger
{
private $buffer = [];
private $maxBufferSize = 100;
public function add($message, $context = [])
{
$this->buffer[] = [
'message' => $message,
'context' => $context,
'timestamp' => microtime(true)
];
if (count($this->buffer) >= $this->maxBufferSize) {
$this->flush();
}
}
public function flush()
{
if (empty($this->buffer)) {
return;
}
DB::transaction(function () {
foreach ($this->buffer as $log) {
Log::info($log['message'], $log['context']);
}
});
$this->buffer = [];
}
}
- 非同期ログ処理
public function log($message, $context = [])
dispatch(new LogMessageJob($message, $context))
class LogMessageJob implements ShouldQueue
Log::info($this->message, $this->context);
class AsyncLogger
{
public function log($message, $context = [])
{
dispatch(new LogMessageJob($message, $context))
->onQueue('logging');
}
}
class LogMessageJob implements ShouldQueue
{
public function handle()
{
// バッチ処理でログを書き込み
Log::info($this->message, $this->context);
}
}
class AsyncLogger
{
public function log($message, $context = [])
{
dispatch(new LogMessageJob($message, $context))
->onQueue('logging');
}
}
class LogMessageJob implements ShouldQueue
{
public function handle()
{
// バッチ処理でログを書き込み
Log::info($this->message, $this->context);
}
}
ログ出力が機能しない場合のデバッグ手順
問題が発生した際の体系的なデバッグ手順:
- 設定ファイルの検証
class LogConfigurationDebugger
public function checkConfiguration()
if (!config('logging.default')) {
$issues[] = 'デフォルトログチャンネルが設定されていません';
foreach (config('logging.channels') as $channel => $config) {
if (!isset($config['driver'])) {
$issues[] = "チャンネル '{$channel}' にドライバーが設定されていません";
$logPath = storage_path('logs');
if (!file_exists($logPath)) {
$issues[] = 'ログディレクトリが存在しません';
} elseif (!is_writable($logPath)) {
$issues[] = 'ログディレクトリに書き込み権限がありません';
class LogConfigurationDebugger
{
public function checkConfiguration()
{
$issues = [];
// 基本設定の確認
if (!config('logging.default')) {
$issues[] = 'デフォルトログチャンネルが設定されていません';
}
// チャンネル設定の確認
foreach (config('logging.channels') as $channel => $config) {
if (!isset($config['driver'])) {
$issues[] = "チャンネル '{$channel}' にドライバーが設定されていません";
}
}
// ストレージパスの確認
$logPath = storage_path('logs');
if (!file_exists($logPath)) {
$issues[] = 'ログディレクトリが存在しません';
} elseif (!is_writable($logPath)) {
$issues[] = 'ログディレクトリに書き込み権限がありません';
}
return $issues;
}
}
class LogConfigurationDebugger
{
public function checkConfiguration()
{
$issues = [];
// 基本設定の確認
if (!config('logging.default')) {
$issues[] = 'デフォルトログチャンネルが設定されていません';
}
// チャンネル設定の確認
foreach (config('logging.channels') as $channel => $config) {
if (!isset($config['driver'])) {
$issues[] = "チャンネル '{$channel}' にドライバーが設定されていません";
}
}
// ストレージパスの確認
$logPath = storage_path('logs');
if (!file_exists($logPath)) {
$issues[] = 'ログディレクトリが存在しません';
} elseif (!is_writable($logPath)) {
$issues[] = 'ログディレクトリに書き込み権限がありません';
}
return $issues;
}
}
- ログハンドラーのデバッグモード
class DebugLogHandler extends AbstractProcessingHandler
protected function write(array $record): void
$record['debug_info'] = [
'memory_usage' => memory_get_usage(true),
'process_id' => getmypid(),
'timestamp' => microtime(true),
fwrite(STDERR, json_encode($record, JSON_PRETTY_PRINT) . "\n");
class DebugLogHandler extends AbstractProcessingHandler
{
protected function write(array $record): void
{
// デバッグ情報の追加
$record['debug_info'] = [
'memory_usage' => memory_get_usage(true),
'process_id' => getmypid(),
'timestamp' => microtime(true),
];
// 標準エラー出力にデバッグ情報を出力
fwrite(STDERR, json_encode($record, JSON_PRETTY_PRINT) . "\n");
// 元のログ処理も実行
parent::write($record);
}
}
class DebugLogHandler extends AbstractProcessingHandler
{
protected function write(array $record): void
{
// デバッグ情報の追加
$record['debug_info'] = [
'memory_usage' => memory_get_usage(true),
'process_id' => getmypid(),
'timestamp' => microtime(true),
];
// 標準エラー出力にデバッグ情報を出力
fwrite(STDERR, json_encode($record, JSON_PRETTY_PRINT) . "\n");
// 元のログ処理も実行
parent::write($record);
}
}
これらのトラブルシューティング手法を活用することで、ログ関連の問題を効率的に特定し解決できます。特に本番環境では、パフォーマンスとデバッグのバランスを考慮した適切な設定が重要です。
発展的なログ活用術
外部ログサービスとの連携方法
主要な外部ログサービスとの連携実装方法を解説します:
- Papertrailとの連携
'level' => env('LOG_LEVEL', 'debug'),
'handler' => SyslogUdpHandler::class,
'host' => env('PAPERTRAIL_URL'),
'port' => env('PAPERTRAIL_PORT'),
'processors' => [PsrLogMessageProcessor::class],
class PapertrailFormatter
public function __invoke($logging)
$handler = new SyslogUdpHandler(
$formatter = new LineFormatter(
'%channel%.%level_name%: %message% %extra%'
$handler->setFormatter($formatter);
return new Logger('papertrail', [$handler]);
// config/logging.php
'papertrail' => [
'driver' => 'monolog',
'level' => env('LOG_LEVEL', 'debug'),
'handler' => SyslogUdpHandler::class,
'handler_with' => [
'host' => env('PAPERTRAIL_URL'),
'port' => env('PAPERTRAIL_PORT'),
],
'processors' => [PsrLogMessageProcessor::class],
],
// カスタムフォーマッタの追加
class PapertrailFormatter
{
public function __invoke($logging)
{
$handler = new SyslogUdpHandler(
env('PAPERTRAIL_URL'),
env('PAPERTRAIL_PORT')
);
$formatter = new LineFormatter(
'%channel%.%level_name%: %message% %extra%'
);
$handler->setFormatter($formatter);
return new Logger('papertrail', [$handler]);
}
}
// config/logging.php
'papertrail' => [
'driver' => 'monolog',
'level' => env('LOG_LEVEL', 'debug'),
'handler' => SyslogUdpHandler::class,
'handler_with' => [
'host' => env('PAPERTRAIL_URL'),
'port' => env('PAPERTRAIL_PORT'),
],
'processors' => [PsrLogMessageProcessor::class],
],
// カスタムフォーマッタの追加
class PapertrailFormatter
{
public function __invoke($logging)
{
$handler = new SyslogUdpHandler(
env('PAPERTRAIL_URL'),
env('PAPERTRAIL_PORT')
);
$formatter = new LineFormatter(
'%channel%.%level_name%: %message% %extra%'
);
$handler->setFormatter($formatter);
return new Logger('papertrail', [$handler]);
}
}
- New Relicとの連携
public function __invoke(array $config)
$logger = new Logger('newrelic');
$handler = new NewRelicHandler();
$handler->setFormatter(new NormalizerFormatter());
$handler->pushProcessor(function ($record) {
$record['extra']['app_name'] = config('app.name');
$record['extra']['environment'] = app()->environment();
$logger->pushHandler($handler);
class NewRelicLogger
{
public function __invoke(array $config)
{
$logger = new Logger('newrelic');
// New Relic向けのハンドラー設定
$handler = new NewRelicHandler();
$handler->setFormatter(new NormalizerFormatter());
// アプリケーション情報の追加
$handler->pushProcessor(function ($record) {
$record['extra']['app_name'] = config('app.name');
$record['extra']['environment'] = app()->environment();
return $record;
});
$logger->pushHandler($handler);
return $logger;
}
}
class NewRelicLogger
{
public function __invoke(array $config)
{
$logger = new Logger('newrelic');
// New Relic向けのハンドラー設定
$handler = new NewRelicHandler();
$handler->setFormatter(new NormalizerFormatter());
// アプリケーション情報の追加
$handler->pushProcessor(function ($record) {
$record['extra']['app_name'] = config('app.name');
$record['extra']['environment'] = app()->environment();
return $record;
});
$logger->pushHandler($handler);
return $logger;
}
}
ログ分析ツールの導入と活用手法
効果的なログ分析のための実装例:
- Elasticsearchとの連携
class ElasticsearchLogger
public function __construct()
$this->client = ClientBuilder::create()
->setHosts([env('ELASTICSEARCH_HOST')])
public function logToElasticsearch($message, array $context = [])
'index' => 'laravel-logs-' . date('Y.m.d'),
'timestamp' => date('c'),
'environment' => app()->environment(),
'type' => 'application_log'
$this->client->index($params);
Log::error('Elasticsearch logging failed', [
'error' => $e->getMessage()
class ElasticsearchLogger
{
private $client;
public function __construct()
{
$this->client = ClientBuilder::create()
->setHosts([env('ELASTICSEARCH_HOST')])
->build();
}
public function logToElasticsearch($message, array $context = [])
{
$params = [
'index' => 'laravel-logs-' . date('Y.m.d'),
'body' => [
'timestamp' => date('c'),
'message' => $message,
'context' => $context,
'environment' => app()->environment(),
'host' => gethostname(),
'type' => 'application_log'
]
];
try {
$this->client->index($params);
} catch (Exception $e) {
Log::error('Elasticsearch logging failed', [
'error' => $e->getMessage()
]);
}
}
}
class ElasticsearchLogger
{
private $client;
public function __construct()
{
$this->client = ClientBuilder::create()
->setHosts([env('ELASTICSEARCH_HOST')])
->build();
}
public function logToElasticsearch($message, array $context = [])
{
$params = [
'index' => 'laravel-logs-' . date('Y.m.d'),
'body' => [
'timestamp' => date('c'),
'message' => $message,
'context' => $context,
'environment' => app()->environment(),
'host' => gethostname(),
'type' => 'application_log'
]
];
try {
$this->client->index($params);
} catch (Exception $e) {
Log::error('Elasticsearch logging failed', [
'error' => $e->getMessage()
]);
}
}
}
- ログ集計と分析の実装
public function analyzeErrors($timeRange = '-24 hours')
$logs = Storage::disk('logs')
$parser = new LogParser();
$parsed = $parser->parse($logs);
'error_count' => $this->countErrorsByType($parsed),
'error_timeline' => $this->createErrorTimeline($parsed),
'most_frequent' => $this->findMostFrequentErrors($parsed)
private function createErrorTimeline($logs)
->groupBy(function ($log) {
return Carbon::parse($log['timestamp'])
->format('Y-m-d H:00:00');
class LogAnalyzer
{
public function analyzeErrors($timeRange = '-24 hours')
{
$logs = Storage::disk('logs')
->get('laravel.log');
$parser = new LogParser();
$parsed = $parser->parse($logs);
return [
'error_count' => $this->countErrorsByType($parsed),
'error_timeline' => $this->createErrorTimeline($parsed),
'most_frequent' => $this->findMostFrequentErrors($parsed)
];
}
private function createErrorTimeline($logs)
{
return collect($logs)
->groupBy(function ($log) {
return Carbon::parse($log['timestamp'])
->format('Y-m-d H:00:00');
})
->map->count();
}
}
class LogAnalyzer
{
public function analyzeErrors($timeRange = '-24 hours')
{
$logs = Storage::disk('logs')
->get('laravel.log');
$parser = new LogParser();
$parsed = $parser->parse($logs);
return [
'error_count' => $this->countErrorsByType($parsed),
'error_timeline' => $this->createErrorTimeline($parsed),
'most_frequent' => $this->findMostFrequentErrors($parsed)
];
}
private function createErrorTimeline($logs)
{
return collect($logs)
->groupBy(function ($log) {
return Carbon::parse($log['timestamp'])
->format('Y-m-d H:00:00');
})
->map->count();
}
}
マイクロサービスでの運用ログのベストプラクティス
マイクロサービス環境での効果的なログ管理手法:
- 分散トレーシングの実装
public function __construct()
$this->traceId = request()->header('X-Trace-ID')
?? Str::uuid()->toString();
public function log($message, array $context = [])
$enhancedContext = array_merge($context, [
'trace_id' => $this->traceId,
'service' => config('app.name'),
'timestamp' => microtime(true),
'correlation_id' => request()->header('X-Correlation-ID'),
Log::info($message, $enhancedContext);
class DistributedLogger
{
private $traceId;
public function __construct()
{
$this->traceId = request()->header('X-Trace-ID')
?? Str::uuid()->toString();
}
public function log($message, array $context = [])
{
$enhancedContext = array_merge($context, [
'trace_id' => $this->traceId,
'service' => config('app.name'),
'timestamp' => microtime(true),
'correlation_id' => request()->header('X-Correlation-ID'),
]);
Log::info($message, $enhancedContext);
}
}
class DistributedLogger
{
private $traceId;
public function __construct()
{
$this->traceId = request()->header('X-Trace-ID')
?? Str::uuid()->toString();
}
public function log($message, array $context = [])
{
$enhancedContext = array_merge($context, [
'trace_id' => $this->traceId,
'service' => config('app.name'),
'timestamp' => microtime(true),
'correlation_id' => request()->header('X-Correlation-ID'),
]);
Log::info($message, $enhancedContext);
}
}
- 集中ログ管理の設定
public function setupCentralizedLogging()
'host' => env('FLUENTD_HOST', 'localhost'),
'port' => env('FLUENTD_PORT', 24224),
'tag' => 'laravel.' . config('app.name'),
'environment' => app()->environment(),
'service' => config('app.name'),
'version' => config('app.version'),
return new FluentdLogger($config);
class CentralizedLogging
{
public function setupCentralizedLogging()
{
$config = [
'driver' => 'fluentd',
'host' => env('FLUENTD_HOST', 'localhost'),
'port' => env('FLUENTD_PORT', 24224),
'options' => [
'tag' => 'laravel.' . config('app.name'),
'labels' => [
'environment' => app()->environment(),
'service' => config('app.name'),
'version' => config('app.version'),
],
],
];
return new FluentdLogger($config);
}
}
class CentralizedLogging
{
public function setupCentralizedLogging()
{
$config = [
'driver' => 'fluentd',
'host' => env('FLUENTD_HOST', 'localhost'),
'port' => env('FLUENTD_PORT', 24224),
'options' => [
'tag' => 'laravel.' . config('app.name'),
'labels' => [
'environment' => app()->environment(),
'service' => config('app.name'),
'version' => config('app.version'),
],
],
];
return new FluentdLogger($config);
}
}
これらの発展的なログ活用方法を導入することで、アプリケーションの監視性と運用効率を大幅に向上させることができます。特にマイクロサービス環境では、分散トレーシングと集中ログ管理が重要な役割を果たします。