mirror of
https://github.com/lollipopkit/flutter_server_box.git
synced 2025-12-17 15:24:35 +01:00
* feat: win compatibility * fix * fix: uptime parse * opt.: linux uptime accuracy * fix: windows temperature fetching * opt. * opt.: powershell exec * refactor: address PR review feedback and improve code quality ### Major Improvements: - **Refactored Windows status parsing**: Broke down large `_getWindowsStatus` method into 13 smaller, focused helper methods for better maintainability and readability - **Extracted system detection logic**: Created dedicated `SystemDetector` helper class to separate OS detection concerns from ServerProvider - **Improved concurrency handling**: Implemented proper synchronization for server updates using Future-based locks to prevent race conditions ### Bug Fixes: - **Fixed CPU percentage parsing**: Removed incorrect '*100' multiplication in BSD CPU parsing (values were already percentages) - **Enhanced memory parsing**: Added validation and error handling to BSD memory fallback parsing with proper logging - **Improved uptime parsing**: Added support for multiple Windows date formats and robust error handling with validation - **Fixed division by zero**: Added safety checks in Swap.usedPercent getter ### Code Quality Enhancements: - **Added comprehensive documentation**: Documented Windows CPU counter limitations and approach - **Strengthened error handling**: Added detailed logging and validation throughout parsing methods - **Improved robustness**: Enhanced BSD CPU parsing with percentage validation and warnings - **Better separation of concerns**: Each parsing method now has single responsibility ### Files Changed: - `lib/data/helper/system_detector.dart` (new): System detection helper - `lib/data/model/server/cpu.dart`: Fixed percentage parsing and added validation - `lib/data/model/server/memory.dart`: Enhanced fallback parsing and division-by-zero protection - `lib/data/model/server/server_status_update_req.dart`: Refactored into 13 focused parsing methods - `lib/data/provider/server.dart`: Improved synchronization and extracted system detection 🤖 Generated with [Claude Code](https://claude.ai/code) Co-Authored-By: Claude <noreply@anthropic.com> * refactor: parse & shell fn struct --------- Co-authored-by: Claude <noreply@anthropic.com>
137 lines
4.3 KiB
Dart
137 lines
4.3 KiB
Dart
import 'package:fl_lib/fl_lib.dart';
|
|
|
|
class Memory {
|
|
final int total;
|
|
final int free;
|
|
final int avail;
|
|
|
|
const Memory({required this.total, required this.free, required this.avail});
|
|
|
|
double get availPercent {
|
|
if (avail == 0) {
|
|
return free / total;
|
|
}
|
|
return avail / total;
|
|
}
|
|
|
|
double get usedPercent => 1 - availPercent;
|
|
|
|
static Memory parse(String raw) {
|
|
final items = raw.split('\n').map((e) => memItemReg.firstMatch(e)).toList();
|
|
|
|
final total = int.tryParse(
|
|
items.firstWhereOrNull((e) => e?.group(1) == 'MemTotal:')
|
|
?.group(2) ?? '1') ?? 1;
|
|
final free = int.tryParse(
|
|
items.firstWhereOrNull((e) => e?.group(1) == 'MemFree:')
|
|
?.group(2) ?? '0') ?? 0;
|
|
final available = int.tryParse(
|
|
items.firstWhereOrNull((e) => e?.group(1) == 'MemAvailable:')
|
|
?.group(2) ?? '0') ?? 0;
|
|
|
|
return Memory(total: total, free: free, avail: available);
|
|
}
|
|
}
|
|
|
|
final memItemReg = RegExp(r'([A-Z].+:)\s+([0-9]+) kB');
|
|
|
|
/// Parse BSD/macOS memory from top output
|
|
///
|
|
/// Supports formats like:
|
|
/// - macOS: "PhysMem: 32G used (1536M wired), 64G unused."
|
|
/// - FreeBSD: "Mem: 456M Active, 2918M Inact, 1127M Wired, 187M Cache, 829M Buf, 3535M Free"
|
|
Memory parseBsdMemory(String raw) {
|
|
// Try macOS format first: "PhysMem: 32G used (1536M wired), 64G unused."
|
|
final macMemReg = RegExp(
|
|
r'PhysMem:\s*([\d.]+)([KMGT])\s*used.*?,\s*([\d.]+)([KMGT])\s*unused');
|
|
final macMatch = macMemReg.firstMatch(raw);
|
|
|
|
if (macMatch != null) {
|
|
final usedAmount = double.parse(macMatch.group(1)!);
|
|
final usedUnit = macMatch.group(2)!;
|
|
final freeAmount = double.parse(macMatch.group(3)!);
|
|
final freeUnit = macMatch.group(4)!;
|
|
|
|
final usedKB = _convertToKB(usedAmount, usedUnit);
|
|
final freeKB = _convertToKB(freeAmount, freeUnit);
|
|
return Memory(total: usedKB + freeKB, free: freeKB, avail: freeKB);
|
|
}
|
|
|
|
// Try FreeBSD format: "Mem: 456M Active, 2918M Inact, 1127M Wired, 187M Cache, 829M Buf, 3535M Free"
|
|
final freeBsdReg = RegExp(
|
|
r'(\d+)([KMGT])\s+(Active|Inact|Wired|Cache|Buf|Free)', caseSensitive: false);
|
|
final matches = freeBsdReg.allMatches(raw);
|
|
|
|
if (matches.isNotEmpty) {
|
|
double usedKB = 0;
|
|
double freeKB = 0;
|
|
for (final match in matches) {
|
|
final amount = double.parse(match.group(1)!);
|
|
final unit = match.group(2)!;
|
|
final keyword = match.group(3)!.toLowerCase();
|
|
final kb = _convertToKB(amount, unit);
|
|
|
|
// Only sum known keywords
|
|
if (keyword == 'active' || keyword == 'inact' || keyword == 'wired' || keyword == 'cache' || keyword == 'buf') {
|
|
usedKB += kb;
|
|
} else if (keyword == 'free') {
|
|
freeKB += kb;
|
|
}
|
|
}
|
|
return Memory(total: (usedKB + freeKB).round(), free: freeKB.round(), avail: freeKB.round());
|
|
}
|
|
|
|
// If neither format matches, throw an error to avoid misinterpretation
|
|
throw FormatException('Unrecognized BSD/macOS memory format: $raw');
|
|
}
|
|
|
|
/// Convert memory size to KB based on unit
|
|
int _convertToKB(double amount, String unit) {
|
|
switch (unit.toUpperCase()) {
|
|
case 'T':
|
|
return (amount * 1024 * 1024 * 1024).round();
|
|
case 'G':
|
|
return (amount * 1024 * 1024).round();
|
|
case 'M':
|
|
return (amount * 1024).round();
|
|
case 'K':
|
|
case '':
|
|
return amount.round();
|
|
default:
|
|
return amount.round();
|
|
}
|
|
}
|
|
|
|
class Swap {
|
|
final int total;
|
|
final int free;
|
|
final int cached;
|
|
|
|
const Swap({required this.total, required this.free, required this.cached});
|
|
|
|
double get usedPercent => total == 0 ? 0.0 : 1 - free / total;
|
|
|
|
double get freePercent => total == 0 ? 0.0 : free / total;
|
|
|
|
@override
|
|
String toString() {
|
|
return 'Swap{total: $total, free: $free, cached: $cached}';
|
|
}
|
|
|
|
static Swap parse(String raw) {
|
|
final items = raw.split('\n').map((e) => memItemReg.firstMatch(e)).toList();
|
|
|
|
final total = int.tryParse(
|
|
items.firstWhereOrNull((e) => e?.group(1) == 'SwapTotal:')
|
|
?.group(2) ?? '1') ?? 0;
|
|
final free = int.tryParse(
|
|
items.firstWhereOrNull((e) => e?.group(1) == 'SwapFree:')
|
|
?.group(2) ?? '1') ?? 0;
|
|
final cached = int.tryParse(
|
|
items.firstWhereOrNull((e) => e?.group(1) == 'SwapCached:')
|
|
?.group(2) ?? '0') ?? 0;
|
|
|
|
return Swap(total: total, free: free, cached: cached);
|
|
}
|
|
}
|