rappasoft/laravel-authentication-log

Log user authentication details and send new device notifications.

Fund package maintenance!
rappasoft

Installs: 1 288 535

Dependents: 12

Suggesters: 0

Security: 0

Stars: 921

Watchers: 18

Forks: 105

Open Issues: 0

pkg:composer/rappasoft/laravel-authentication-log

v6.0.0 2025-12-05 19:14 UTC

This package is auto-updated.

Last update: 2025-12-05 19:45:17 UTC


README

Package Logo

Latest Version on Packagist Total Downloads

Laravel Authentication Log is a comprehensive package which tracks your user's authentication information such as login/logout time, IP, Browser, Location, Device Fingerprint, etc. It sends out notifications via mail, slack, or SMS for new devices and failed logins, detects suspicious activity, provides session management, prevents duplicate log entries from session restorations, and much more.

Version 6.0.0 introduces major enhancements including session restoration prevention, improved device fingerprinting, enhanced statistics, and more. See the Release Notes for complete details.

Features

Core Features

  • Authentication Logging - Tracks all login/logout attempts with IP, user agent, location, and timestamps
  • Device Fingerprinting - Reliable device identification using SHA-256 hashing with browser version normalization (prevents false positives)
  • New Device Detection - Automatically detects and notifies users of new device logins
  • Failed Login Tracking - Logs and optionally notifies users of failed login attempts
  • Location Tracking - Optional GeoIP integration for location data
  • Session Restoration Prevention - Automatically prevents duplicate log entries from page refreshes and remember me cookies

Advanced Features

  • 🔒 Suspicious Activity Detection - Automatically detects multiple failed logins, rapid location changes, and unusual login times
  • 📊 Statistics & Insights - Get comprehensive login statistics including total logins, failed attempts, unique devices, and more
  • 🔐 Session Management - View active sessions, revoke specific sessions, or logout all other devices
  • 🛡️ Device Trust Management - Mark devices as trusted, manage device names, and require trusted devices for sensitive actions
  • Rate Limiting - Prevents notification spam with configurable rate limits
  • 🔔 Webhook Support - Send webhooks to external services for authentication events
  • 📤 Export Functionality - Export authentication logs to CSV or JSON format
  • 🎯 Query Scopes - Powerful query scopes for filtering logs (successful, failed, suspicious, recent, by IP, by device, etc.)
  • 🚦 Middleware - Protect routes with trusted device middleware

Documentation, Installation, and Usage Instructions

See the documentation for detailed installation and usage instructions.

Version Compatibility

Laravel Authentication Log Features
8.x 1.x Basic logging only
9.x 2.x Basic logging only
10.x 3.x Basic logging only
11.x 5.x, 6.x All features (device fingerprinting, suspicious activity, webhooks, session management, etc.)
12.x 5.x, 6.x All features (device fingerprinting, suspicious activity, webhooks, session management, etc.)

Note: Version 6.x requires Laravel 11.x or 12.x and PHP 8.1+. Version 5.x also supports Laravel 11.x and 12.x. For Laravel 10.x support, please use version 3.x.

Installation

composer require rappasoft/laravel-authentication-log

Quick Start

1. Add the Trait to Your User Model

use Rappasoft\LaravelAuthenticationLog\Traits\AuthenticationLoggable;

class User extends Authenticatable
{
    use AuthenticationLoggable;
}

2. Publish and Run Migrations

For new installations:

php artisan vendor:publish --provider="Rappasoft\LaravelAuthenticationLog\LaravelAuthenticationLogServiceProvider" --tag="authentication-log-migrations"
php artisan migrate

For existing installations (upgrading from v5.x or earlier):

# Update the package
composer update rappasoft/laravel-authentication-log

# Publish the upgrade migration (if upgrading from v3.x or earlier)
php artisan vendor:publish --provider="Rappasoft\LaravelAuthenticationLog\LaravelAuthenticationLogServiceProvider" --tag="authentication-log-migrations"

# Run the migrations (the upgrade migration will only add columns if they don't exist)
php artisan migrate

Important: If upgrading from v3.x or earlier, the upgrade migration will safely add the new columns (device_id, device_name, is_trusted, last_activity_at, is_suspicious, suspicious_reason) to your existing authentication_log table without affecting existing data.

Breaking Changes in v6.0.0:

  • Laravel 10.x support has been dropped (only Laravel 11.x and 12.x are supported)
  • PHP 8.1+ is now required
  • See the Upgrade Guide for detailed migration instructions

3. Configure (Optional)

php artisan vendor:publish --provider="Rappasoft\LaravelAuthenticationLog\LaravelAuthenticationLogServiceProvider" --tag="authentication-log-config"

Usage Examples

Get User Statistics

$user = User::find(1);

// Get comprehensive statistics
$stats = $user->getLoginStats();
// Returns: total_logins, failed_attempts, unique_devices, unique_ips, last_30_days, etc.

// Or get individual stats
$totalLogins = $user->getTotalLogins();
$failedAttempts = $user->getFailedAttempts();
$uniqueDevices = $user->getUniqueDevicesCount();

Session Management

// Get all active sessions
$activeSessions = $user->getActiveSessions();
$sessionCount = $user->getActiveSessionsCount();

// Revoke a specific session
$user->revokeSession($sessionId);

// Revoke all other sessions (keep current device)
$user->revokeAllOtherSessions($currentDeviceId);

// Revoke all sessions
$user->revokeAllSessions();

Device Management

// Get all user devices
$devices = $user->getDevices();

// Trust a device
$user->trustDevice($deviceId);

// Untrust a device
$user->untrustDevice($deviceId);

// Update device name
$user->updateDeviceName($deviceId, 'My iPhone');

// Check if device is trusted
if ($user->isDeviceTrusted($deviceId)) {
    // Device is trusted
}

Query Scopes

use Rappasoft\LaravelAuthenticationLog\Models\AuthenticationLog;

// Filter successful logins
$successfulLogins = AuthenticationLog::successful()->get();

// Filter failed logins
$failedLogins = AuthenticationLog::failed()->get();

// Filter by IP address
$ipLogs = AuthenticationLog::fromIp('192.168.1.1')->get();

// Filter recent logs (last 7 days)
$recentLogs = AuthenticationLog::recent(7)->get();

// Filter suspicious activities
$suspicious = AuthenticationLog::suspicious()->get();

// Filter active sessions
$activeSessions = AuthenticationLog::active()->get();

// Filter trusted devices
$trustedDevices = AuthenticationLog::trusted()->get();

// Filter by device ID
$deviceLogs = AuthenticationLog::fromDevice($deviceId)->get();

// Filter for specific user
$userLogs = AuthenticationLog::forUser($user)->get();

Suspicious Activity Detection

// Detect suspicious activity
$suspiciousActivities = $user->detectSuspiciousActivity();

// Returns array of suspicious activities:
// [
//     [
//         'type' => 'multiple_failed_logins',
//         'count' => 5,
//         'message' => '5 failed login attempts in the last hour'
//     ],
//     [
//         'type' => 'rapid_location_change',
//         'countries' => ['US', 'UK'],
//         'message' => 'Login from multiple countries within an hour'
//     ]
// ]

Middleware for Trusted Devices

use Rappasoft\LaravelAuthenticationLog\Middleware\RequireTrustedDevice;

// In your routes file
Route::middleware(['auth', RequireTrustedDevice::class])->group(function () {
    // These routes require a trusted device
    Route::get('/sensitive-action', [Controller::class, 'sensitiveAction']);
});

Export Logs

# Export all logs to CSV
php artisan authentication-log:export --format=csv

# Export to JSON
php artisan authentication-log:export --format=json

# Specify custom output path
php artisan authentication-log:export --format=csv --path=storage/app/logs.csv

Webhook Configuration

Add webhooks to your config/authentication-log.php:

'webhooks' => [
    [
        'url' => 'https://example.com/webhook',
        'events' => ['login', 'failed', 'new_device', 'suspicious'],
        'headers' => [
            'Authorization' => 'Bearer your-token',
        ],
    ],
],

Configuration

The package includes comprehensive configuration options:

  • Notifications - Configure new device and failed login notifications with rate limiting
  • Suspicious Activity - Configure thresholds and detection rules
  • Webhooks - Set up webhook endpoints for external integrations
  • Database - Customize table name and database connection
  • Session Restoration - Configure session restoration prevention (prevents duplicate log entries)
  • New User Threshold - Configure time window for new user detection

See the configuration documentation for all available options.

Testing

composer test

Changelog

Please see CHANGELOG for more information on what has changed recently.

Contributing

Please see CONTRIBUTING for details.

Security Vulnerabilities

Please review our security policy on how to report security vulnerabilities.

Credits

License

The MIT License (MIT). Please see License File for more information.