Voo Logging
A comprehensive, production-ready logging package for Flutter and Dart applications with DevTools integration, persistent storage, and powerful filtering capabilities.
๐ Features
- ๐ฏ Simple API - Intuitive methods for different log levels (verbose, debug, info, warning, error, fatal)
- ๐จ Pretty Logging - Beautiful, structured console output with colors, borders, and emojis (can be disabled)
- ๐ง DevTools Integration - Real-time log viewing with dedicated Network and Performance tabs
- ๐พ Persistent Storage - Logs survive app restarts using Sembast database
- ๐ท๏ธ Rich Context - Categories, tags, metadata, user tracking, and session management
- โก High Performance - Non-blocking async operations with efficient indexing
- ๐ Network Monitoring - Built-in network request/response logging with optional interceptors
- ๐ Performance Tracking - Track operation durations and performance metrics
- ๐ Cross-Platform - Works on iOS, Android, Web, macOS, Windows, and Linux
- ๐ Statistics - Built-in analytics for log patterns and error tracking
- ๐ Advanced Filtering - Filter by level, time range, category, tag, or text search
- ๐ค Export Options - Export logs as JSON or CSV for external analysis
- ๐ Dio Integration - Ready-to-use Dio interceptor for automatic network logging
๐ฆ Installation
Add to your pubspec.yaml:
dependencies:
  voo_logging: ^0.0.1
Then run:
flutter pub get
๐ฏ Quick Start
import 'package:voo_logging/voo_logging.dart';
void main() async {
  // Initialize the logger with default settings
  await VooLogger.initialize();
  
  // Or initialize with pretty logging configuration
  await VooLogger.initialize(
    appName: 'MyApp',
    appVersion: '1.0.0',
    config: const LoggingConfig(
      enablePrettyLogs: true,  // Enable beautiful formatted logs
      showEmojis: true,         // Show emoji icons for log levels
      showTimestamp: true,      // Include timestamps
      showColors: true,         // Use colors in console
      showBorders: true,        // Show decorative borders
      lineLength: 120,          // Maximum line width
    ),
  );
  
  // Start logging!
  VooLogger.info('App started successfully');
  
  runApp(MyApp());
}
๐ Usage Examples
Basic Logging
// Different log levels
VooLogger.verbose('Detailed trace information');
VooLogger.debug('Debug information for development');
VooLogger.info('General information');
VooLogger.warning('Warning: This might be a problem');
VooLogger.error('Error occurred', error: exception, stackTrace: stack);
VooLogger.fatal('Fatal error - app might crash');
Structured Logging with Context
// Log with categories and tags
VooLogger.info('User logged in',
  category: 'Auth',
  tag: 'login_success',
  metadata: {
    'userId': user.id,
    'method': 'email',
    'timestamp': DateTime.now().toIso8601String(),
  }
);
// Track API calls
VooLogger.debug('API Request',
  category: 'Network',
  tag: 'api_call',
  metadata: {
    'endpoint': '/api/users',
    'method': 'GET',
    'headers': headers,
  }
);
// Log errors with full context
VooLogger.error('Payment failed',
  category: 'Payment',
  tag: 'payment_error',
  error: exception,
  stackTrace: stackTrace,
  metadata: {
    'amount': 99.99,
    'currency': 'USD',
    'provider': 'stripe',
    'errorCode': 'insufficient_funds',
  }
);
Pretty Logging
VooLogger supports beautiful, structured console output with colors, borders, and emojis:
// Enable pretty logging
await VooLogger.initialize(
  config: const LoggingConfig(
    enablePrettyLogs: true,   // Toggle pretty formatting
    showEmojis: true,         // ๐ฌ ๐ โน๏ธ โ ๏ธ โ ๐
    showTimestamp: true,      // HH:MM:SS.mmm
    showColors: true,         // ANSI color support
    showBorders: true,        // Box drawing characters
    lineLength: 120,          // Wrap long lines
  ),
);
// Pretty logs will display like this:
// โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
// โ โน๏ธ  INFO     โ 14:32:15.123 โ [System][Startup]                                                                          โ
// โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโค
// โ Application started successfully                                                                                     โ
// โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโค
// โ ๐ Metadata:                                                                                                         โ
// โ   โข platform: Flutter                                                                                                โ
// โ   โข environment: development                                                                                         โ
// โ   โข version: 1.0.0                                                                                                   โ
// โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
// Disable pretty logs for production
await VooLogger.initialize(
  config: const LoggingConfig(
    enablePrettyLogs: false,  // Simple one-line output
  ),
);
Network Request Monitoring
// Log network requests manually
await VooLogger.networkRequest(
  'GET',
  'https://api.example.com/users',
  headers: {'Authorization': 'Bearer token'},
  metadata: {'userId': 'user_123'}
);
// Log network responses
await VooLogger.networkResponse(
  200,
  'https://api.example.com/users',
  Duration(milliseconds: 456),
  headers: {'Content-Type': 'application/json'},
  contentLength: 2048,
  metadata: {'cached': false}
);
// Or use the NetworkInterceptor
final interceptor = VooNetworkInterceptor();
await interceptor.onRequest(
  method: 'POST',
  url: 'https://api.example.com/data',
  headers: headers,
  body: requestBody,
);
Dio Integration
import 'package:dio/dio.dart';
import 'package:voo_logging/voo_logging.dart';
final dio = Dio();
final vooInterceptor = VooDioInterceptor();
// Add to Dio
dio.interceptors.add(InterceptorsWrapper(
  onRequest: (options, handler) => vooInterceptor.onRequest(options, handler),
  onResponse: (response, handler) => vooInterceptor.onResponse(response, handler),
  onError: (error, handler) => vooInterceptor.onError(error, handler),
));
// Now all Dio requests are automatically logged!
Performance Tracking
// Log performance metrics directly
VooLogger.performance(
  'DatabaseQuery',
  Duration(milliseconds: 456),
  metrics: {
    'rowCount': 1000,
    'cacheHit': false,
    'queryType': 'SELECT'
  }
);
// Track async operations automatically
final result = await PerformanceTracker.track<String>(
  operation: 'FetchUserData',
  operationType: 'api',
  action: () async {
    // Your async code here
    final response = await api.getUser();
    return response.data;
  },
  metrics: {
    'endpoint': '/api/user',
    'method': 'GET'
  }
);
// Track synchronous operations
final sum = PerformanceTracker.trackSync<int>(
  operation: 'CalculateSum',
  operationType: 'computation',
  action: () {
    int sum = 0;
    for (int i = 0; i < 1000000; i++) {
      sum += i;
    }
    return sum;
  },
  metrics: {'iterations': 1000000}
);
// Manual tracking with PerformanceTracker
final tracker = PerformanceTracker(
  operation: 'DataProcessing',
  operationType: 'batch',
);
// ... do work ...
tracker.addMetric('processedItems', 500);
tracker.addMetric('errors', 0);
await tracker.complete();
User and Session Tracking
// Set user context (persists across all logs)
VooLogger.setUserId('user_123');
// Start a new session
VooLogger.startNewSession();
// Clear user context on logout
VooLogger.clearUserId();
Querying and Filtering Logs
// Get recent logs
final recentLogs = await VooLogger.getLogs(limit: 100);
// Filter by log level
final errors = await VooLogger.getLogsByLevel(LogLevel.error);
final warnings = await VooLogger.getLogsByLevel(LogLevel.warning);
// Filter by time range
final todayLogs = await VooLogger.getLogsByTimeRange(
  startTime: DateTime.now().subtract(Duration(days: 1)),
  endTime: DateTime.now(),
);
// Filter by category
final authLogs = await VooLogger.getLogsByCategory('Auth');
// Filter by tag
final loginLogs = await VooLogger.getLogsByTag('login_success');
// Search logs by text
final searchResults = await VooLogger.searchLogs('payment');
// Get logs for specific session
final sessionLogs = await VooLogger.getLogsBySession(sessionId);
// Get logs for specific user
final userLogs = await VooLogger.getLogsByUser('user_123');
// Get unique values for filtering
final categories = await VooLogger.getCategories();
final tags = await VooLogger.getTags();
final sessions = await VooLogger.getSessions();
Statistics and Analytics
// Get log statistics
final stats = await VooLogger.getStatistics();
print('Total logs: ${stats.totalLogs}');
print('Logs by level: ${stats.logsByLevel}');
print('Logs by category: ${stats.logsByCategory}');
print('Error rate: ${stats.errorRate}%');
print('Most frequent categories: ${stats.topCategories}');
print('Most frequent tags: ${stats.topTags}');
Exporting Logs
// Export as JSON
final jsonExport = await VooLogger.exportLogs(
  format: 'json',
  filter: LogFilter(
    levels: [LogLevel.error, LogLevel.fatal],
    startTime: DateTime.now().subtract(Duration(days: 7)),
  ),
);
// Export as CSV
final csvExport = await VooLogger.exportLogs(
  format: 'csv',
  filter: LogFilter(
    category: 'Payment',
  ),
);
// Save to file
final file = File('logs_export.json');
await file.writeAsString(jsonExport);
Log Management
// Clear all logs
await VooLogger.clearLogs();
// Clear old logs (older than 30 days)
await VooLogger.clearOldLogs(days: 30);
// Get storage info
final storageInfo = await VooLogger.getStorageInfo();
print('Storage used: ${storageInfo.sizeInBytes} bytes');
print('Number of logs: ${storageInfo.logCount}');
๐ง DevTools Extension
The package includes a powerful DevTools extension for real-time log monitoring and analysis with dedicated tabs for different log types.
Features:
- ๐ Logs Tab - Real-time log streaming with advanced filtering
- ๐ Network Tab - Monitor HTTP requests/responses with timing and size info
- ๐ Performance Tab - Track operation durations and identify bottlenecks
- ๐ Advanced filtering and search across all tabs
- ๐ Visual statistics and charts
- ๐จ Syntax highlighting for metadata
- ๐ค Export functionality for all log types
- ๐ Auto-scroll and pause options
Using DevTools:
- Run your app in debug mode
- Open Flutter DevTools
- Navigate to the "Voo Logger" tab
- Switch between Logs, Network, and Performance tabs
- Start monitoring your application!
โ๏ธ Configuration
Custom Configuration
await VooLogger.initialize(
  config: VooLoggerConfig(
    // Maximum number of logs to keep
    maxLogs: 100000,
    
    // Auto-delete logs older than X days
    autoDeleteAfterDays: 30,
    
    // Enable/disable console output
    enableConsoleOutput: true,
    
    // Minimum level for console output
    consoleLogLevel: LogLevel.debug,
    
    // Enable/disable DevTools integration
    enableDevTools: true,
    
    // Custom log format
    logFormat: (log) => '[${log.level}] ${log.message}',
  ),
);
Performance Considerations
- Logs are written asynchronously to avoid blocking the UI
- Automatic indexing on timestamp, level, category, and tag
- Configurable cache size and retention policies
- Efficient batch operations for bulk queries
๐๏ธ Architecture
The package follows clean architecture principles:
lib/
โโโ src/
โ   โโโ data/
โ   โ   โโโ enums/          # LogLevel enum
โ   โ   โโโ models/         # Data models
โ   โ   โโโ sources/        # Storage implementation
โ   โโโ domain/
โ       โโโ entities/       # Core entities
โโโ voo_logging.dart        # Public API
โโโ devtools_extension/     # DevTools integration
๐งช Testing
// Use InMemoryLogStorage for testing
testWidgets('test with logging', (tester) async {
  await VooLogger.initialize(useInMemoryStorage: true);
  
  // Your test code
  VooLogger.info('Test started');
  
  // Verify logs
  final logs = await VooLogger.getLogs();
  expect(logs.length, 1);
  expect(logs.first.message, 'Test started');
});
๐ค Contributing
Contributions are welcome! Please feel free to submit a Pull Request.
- Fork the repository
- Create your feature branch (git checkout -b feature/amazing-feature)
- Commit your changes (git commit -m 'Add some amazing feature')
- Push to the branch (git push origin feature/amazing-feature)
- Open a Pull Request
๐ Roadmap
๐ฏ Core Features
- 
- Why: Essential for production apps to centralize logs from multiple devices
- Use case: Monitor app health across thousands of users in real-time
 
- 
- Why: Protect user privacy and comply with security requirements
- Use case: Healthcare apps logging patient interactions, financial apps with transaction logs
 
- 
- Why: Different apps have different storage needs and existing infrastructure
- Use case: Use Isar for offline-first apps, Firebase for real-time sync, S3 for long-term archives
 
- 
- Why: Prevent logs from consuming all device storage
- Use case: Keep last 7 days or 100MB of logs, whichever comes first
 
- 
- Why: Logging shouldn't slow down your app, and you need to know if it does
- Use case: Detect when logging is impacting frame rates or response times
 
- 
- Why: Logs provide context for crashes, making debugging faster
- Use case: Automatically attach last 100 logs to crash reports
 
๐ Advanced Features
- 
- Why: Reproduce bugs exactly as users experienced them
- Use case: Customer reports issue โ replay their exact session with logs
 
- 
- Why: Debug issues as they happen, not after the fact
- Use case: Watch logs from beta testers' devices during testing sessions
 
- 
- Why: Humans can't watch millions of logs, but AI can spot patterns
- Use case: "Unusual spike in payment errors from UK users in last hour"
 
- 
- Why: Understand system-wide issues, not just individual problems
- Use case: "Show all logs related to order #12345 across all microservices"
 
- 
- Why: Every team has unique logging needs
- Use case: Auto-tag logs with feature flags, A/B test variants, or user segments
 
- 
- Why: Reduce costs while maintaining visibility into issues
- Use case: Log 1% of success cases but 100% of errors
 
๐ง Developer Experience
- 
- Why: Stay in your editor while debugging
- Use case: Click on error in editor โ see related logs in sidebar
 
- 
- Why: Android Studio and IntelliJ users need first-class support
- Use case: Set breakpoints that capture surrounding logs
 
- 
- Why: Power users and CI/CD pipelines need scriptable access
- Use case: voo logs --level=error --last=1h | grep payment
 
- 
- Why: Standardize logging across teams without repetitive code
- Use case: @LogHttpRequestautomatically logs method, URL, duration, status
 
- 
@Logannotations for automatic method logging- Why: Reduce boilerplate while ensuring consistent logging
- Use case: @LogExecutionlogs method entry, exit, duration, and parameters
 
- 
- Why: Consistency and time-saving for large codebases
- Use case: Generate repository classes with built-in operation logging
 
๐ Analytics & Insights
- 
- Why: Non-developers need to understand app health too
- Use case: Product managers tracking feature adoption through logs
 
- 
- Why: Logs contain business intelligence, not just errors
- Use case: Track conversion funnel drop-offs through log events
 
- 
- Why: Be proactive, not reactive to issues
- Use case: Alert when error rate exceeds 1% or response time > 2s
 
- 
- Why: Modern apps are distributed, debugging should be too
- Use case: Track a request from mobile app โ API โ database โ response
 
- 
- Why: Leverage existing business intelligence infrastructure
- Use case: Daily export of user behavior logs to data warehouse
 
- 
- Why: Predict problems before they happen
- Use case: "Memory leak detected, will cause crashes in ~2 hours"
 
๐ Security & Compliance
- 
- Why: Avoid massive fines and protect user privacy
- Use case: Automatically redact email addresses, phone numbers from logs
 
- 
- Why: Prove compliance and detect tampering
- Use case: Financial apps proving transaction logs haven't been altered
 
- 
- Why: Not everyone should see all logs
- Use case: Support sees user logs, developers see system logs
 
- 
- Why: Different data has different legal requirements
- Use case: Keep audit logs 7 years, user logs 90 days, delete PII after 30 days
 
- 
- Why: Developers accidentally log passwords, API keys, etc.
- Use case: Block logs containing patterns like API keys or credit cards
 
๐ Platform Extensions
- 
- Why: Huge ecosystem that needs quality logging
- Use case: Single logging solution for React Native + native modules
 
- 
- Why: Full-stack Dart is growing, needs unified logging
- Use case: Correlate frontend and backend logs with same tool
 
- 
- Why: Process logs closer to users for faster insights
- Use case: Regional log aggregation without centralized bottlenecks
 
- 
- Why: Constrained devices need efficient logging too
- Use case: Smart home devices with 512KB RAM still get structured logging
 
- 
- Why: Keep critical metrics always visible
- Use case: Menu bar widget showing error count, system tray alerts
 
๐จ Visualization
- 
- Why: Understand complex interactions visually
- Use case: See how a user action triggers logs across 10 microservices
 
- 
- Why: Spot patterns and anomalies at a glance
- Use case: See which app features generate most errors by time of day
 
- 
- Why: Spatial navigation can reveal patterns 2D lists miss
- Use case: Fly through a timeline of events leading to an outage
 
- 
- Why: Spatial debugging for IoT, servers, and mobile testing
- Use case: Point phone at smart device to see its logs floating above it
 
- 
- Why: Developers stare at logs all day, they should look good
- Use case: Dark themes, high contrast, colorblind-friendly options
 
๐ License
This project is licensed under the MIT License - see the LICENSE file for details.
๐ Acknowledgments
- Built with Sembast for efficient local storage
- Inspired by enterprise logging solutions
- Thanks to the Flutter community for feedback and contributions
๐ Support
- ๐ง Email: support@voostack.com
- ๐ Issues: GitHub Issues
- ๐ฌ Discussions: GitHub Discussions
Made with โค๏ธ by VooStack
Libraries
- core/core
- Core feature barrel file Exports all core/shared components used across features
- core/data/usecases/usecase
- core/domain/enums/log_level
- core/domain/extensions/log_level_extensions
- core/domain/value_objects/log_level_color
- features/logging/data/datasources/local_log_storage
- features/logging/data/models/log_entry_model
- features/logging/data/models/log_entry_model_extensions
- features/logging/data/repositories/logger_repository_impl
- features/logging/domain/entities/log_entry
- features/logging/domain/entities/log_entry_extensions
- features/logging/domain/entities/log_filter
- features/logging/domain/entities/log_filter_extensions
- features/logging/domain/entities/log_statistics
- features/logging/domain/entities/log_statistics_extensions
- features/logging/domain/entities/log_storage
- features/logging/domain/entities/log_type_config
- features/logging/domain/entities/logger_context
- features/logging/domain/entities/logging_config
- features/logging/domain/entities/network_log_entry
- features/logging/domain/entities/voo_logger
- features/logging/domain/interceptors/dio_interceptor
- features/logging/domain/interceptors/network_interceptor
- features/logging/domain/repositories/logger_repository
- features/logging/domain/utils/pretty_log_formatter
- features/logging/logging
- Logging feature barrel file Main logging functionality exports
- voo_logging