add filter panel to calculator

This commit is contained in:
2025-12-22 23:16:54 +00:00
parent 950978b021
commit d5d204dd19
6 changed files with 368 additions and 96 deletions

View File

@@ -133,6 +133,11 @@ class RouteCalculator extends StatefulWidget {
class _RouteCalculatorState extends State<RouteCalculator> { class _RouteCalculatorState extends State<RouteCalculator> {
List<Station> allStations = []; List<Station> allStations = [];
List<String> _networks = [];
List<String> _countries = [];
List<String> _selectedNetworks = [];
List<String> _selectedCountries = [];
bool _loadingStations = false;
RouteResult? _routeResult; RouteResult? _routeResult;
RouteResult? get result => _routeResult; RouteResult? get result => _routeResult;
@@ -150,14 +155,31 @@ class _RouteCalculatorState extends State<RouteCalculator> {
} }
WidgetsBinding.instance.addPostFrameCallback((_) async { WidgetsBinding.instance.addPostFrameCallback((_) async {
final data = context.read<DataService>(); final data = context.read<DataService>();
final result = await data.fetchStations(); await data.fetchStationFilters();
if (mounted) { if (!mounted) return;
setState(() => allStations = result); setState(() {
} _networks = data.stationNetworks;
_countries = data.stationCountryNetworks.keys.toList();
});
await _loadStations();
}); });
} }
} }
Future<void> _loadStations() async {
setState(() => _loadingStations = true);
final data = context.read<DataService>();
final stations = await data.fetchStations(
countries: _selectedCountries,
networks: _selectedNetworks,
);
if (!mounted) return;
setState(() {
allStations = stations;
_loadingStations = false;
});
}
Future<void> _calculateRoute(List<String> stations) async { Future<void> _calculateRoute(List<String> stations) async {
setState(() { setState(() {
_errorMessage = null; _errorMessage = null;
@@ -215,6 +237,43 @@ class _RouteCalculatorState extends State<RouteCalculator> {
final data = context.watch<DataService>(); final data = context.watch<DataService>();
return Column( return Column(
children: [ children: [
Padding(
padding: const EdgeInsets.symmetric(horizontal: 16.0, vertical: 8),
child: Wrap(
spacing: 12,
runSpacing: 12,
crossAxisAlignment: WrapCrossAlignment.center,
children: [
_MultiSelectFilter(
label: 'Countries',
options: _countries,
selected: _selectedCountries,
onChanged: (vals) {
setState(() => _selectedCountries = vals);
_loadStations();
},
),
_MultiSelectFilter(
label: 'Networks',
options: _networks,
selected: _selectedNetworks,
onChanged: (vals) {
setState(() => _selectedNetworks = vals);
_loadStations();
},
),
if (_loadingStations)
const Padding(
padding: EdgeInsets.only(left: 8.0),
child: SizedBox(
height: 20,
width: 20,
child: CircularProgressIndicator(strokeWidth: 2),
),
),
],
),
),
Expanded( Expanded(
child: ReorderableListView( child: ReorderableListView(
buildDefaultDragHandles: false, buildDefaultDragHandles: false,
@@ -300,32 +359,27 @@ class _RouteCalculatorState extends State<RouteCalculator> {
else else
SizedBox.shrink(), SizedBox.shrink(),
const SizedBox(height: 10), const SizedBox(height: 10),
LayoutBuilder( Padding(
builder: (context, constraints) { padding: const EdgeInsets.symmetric(horizontal: 16.0),
double screenWidth = constraints.maxWidth; child: Wrap(
alignment: WrapAlignment.center,
return Padding( spacing: 12,
padding: EdgeInsets.only(right: screenWidth < 450 ? 70 : 0), runSpacing: 8,
child: Row( children: [
mainAxisAlignment: MainAxisAlignment.center, ElevatedButton.icon(
children: [ icon: const Icon(Icons.add),
ElevatedButton.icon( label: const Text('Add Station'),
icon: const Icon(Icons.add), onPressed: _addStation,
label: const Text('Add Station'),
onPressed: _addStation,
),
const SizedBox(width: 16),
ElevatedButton.icon(
icon: const Icon(Icons.route),
label: const Text('Calculate Route'),
onPressed: () async {
await _calculateRoute(data.stations);
},
),
],
), ),
); ElevatedButton.icon(
}, icon: const Icon(Icons.route),
label: const Text('Calculate Route'),
onPressed: () async {
await _calculateRoute(data.stations);
},
),
],
),
), ),
const SizedBox(height: 16), const SizedBox(height: 16),
@@ -350,3 +404,159 @@ Widget debugPanel(List<String> stations) {
), ),
); );
} }
class _MultiSelectFilter extends StatefulWidget {
const _MultiSelectFilter({
required this.label,
required this.options,
required this.selected,
required this.onChanged,
});
final String label;
final List<String> options;
final List<String> selected;
final ValueChanged<List<String>> onChanged;
@override
State<_MultiSelectFilter> createState() => _MultiSelectFilterState();
}
class _MultiSelectFilterState extends State<_MultiSelectFilter> {
late List<String> _tempSelected;
String _query = '';
@override
void initState() {
super.initState();
_tempSelected = List.from(widget.selected);
}
@override
void didUpdateWidget(covariant _MultiSelectFilter oldWidget) {
super.didUpdateWidget(oldWidget);
if (oldWidget.selected != widget.selected) {
_tempSelected = List.from(widget.selected);
}
}
void _openPicker() async {
_tempSelected = List.from(widget.selected);
_query = '';
await showModalBottomSheet<void>(
context: context,
isScrollControlled: true,
builder: (ctx) {
return StatefulBuilder(
builder: (ctx, setModalState) {
final filtered = widget.options
.where((opt) =>
_query.isEmpty || opt.toLowerCase().contains(_query.toLowerCase()))
.toList();
return SafeArea(
child: Padding(
padding: const EdgeInsets.all(16.0),
child: Column(
mainAxisSize: MainAxisSize.min,
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Row(
children: [
Text(
'Select ${widget.label.toLowerCase()}',
style: Theme.of(context).textTheme.titleMedium?.copyWith(
fontWeight: FontWeight.w700,
),
),
const Spacer(),
TextButton(
onPressed: () {
setModalState(() {
_tempSelected.clear();
});
Navigator.of(ctx).pop();
widget.onChanged(const []);
},
child: const Text('Clear'),
),
],
),
const SizedBox(height: 8),
TextField(
decoration: const InputDecoration(
labelText: 'Search',
border: OutlineInputBorder(),
),
onChanged: (val) {
setModalState(() {
_query = val;
});
},
),
const SizedBox(height: 12),
SizedBox(
height: 320,
child: ListView.builder(
itemCount: filtered.length,
itemBuilder: (_, index) {
final option = filtered[index];
final selected = _tempSelected.contains(option);
return CheckboxListTile(
value: selected,
title: Text(option),
onChanged: (val) {
setModalState(() {
if (val == true) {
if (!_tempSelected.contains(option)) {
_tempSelected.add(option);
}
} else {
_tempSelected.removeWhere((e) => e == option);
}
});
widget.onChanged(List.from(_tempSelected.toSet()));
},
);
},
),
),
const SizedBox(height: 12),
Align(
alignment: Alignment.centerRight,
child: FilledButton.icon(
onPressed: () {
widget.onChanged(List.from(_tempSelected.toSet()));
Navigator.of(ctx).pop();
},
icon: const Icon(Icons.check),
label: const Text('Apply'),
),
),
],
),
),
);
},
);
},
);
}
@override
Widget build(BuildContext context) {
final hasSelection = widget.selected.isNotEmpty;
final display =
hasSelection ? widget.selected.join(', ') : 'Any ${widget.label.toLowerCase()}';
return OutlinedButton.icon(
onPressed: _openPicker,
icon: const Icon(Icons.filter_alt),
label: SizedBox(
width: 180,
child: Text(
'${widget.label}: $display',
overflow: TextOverflow.ellipsis,
),
),
);
}
}

View File

@@ -513,21 +513,10 @@ class _TractionPageState extends State<TractionPage> {
if (widget.selectionMode) { if (widget.selectionMode) {
return Scaffold( return Scaffold(
appBar: AppBar( appBar: AppBar(
leadingWidth: 140, leadingWidth: 56,
leading: Padding( leading: IconButton(
padding: const EdgeInsets.only(left: 8.0), icon: const Icon(Icons.arrow_back),
child: TextButton.icon( onPressed: () => Navigator.of(context).pop(),
onPressed: () => Navigator.of(context).pop(),
icon: const Icon(Icons.arrow_back),
label: const Text('Back'),
style: TextButton.styleFrom(
padding: const EdgeInsets.symmetric(
horizontal: 12,
vertical: 10,
),
foregroundColor: Theme.of(context).colorScheme.onSurface,
),
),
), ),
title: null, title: null,
), ),

View File

@@ -82,39 +82,68 @@ class TractionCard extends StatelessWidget {
], ],
), ),
const SizedBox(height: 8), const SizedBox(height: 8),
Row( LayoutBuilder(
children: [ builder: (context, constraints) {
TextButton.icon( final isNarrow = constraints.maxWidth < 520;
onPressed: onShowInfo, final buttons = [
icon: const Icon(Icons.info_outline),
label: const Text('Details'),
),
const SizedBox(width: 8),
TextButton.icon(
onPressed: onOpenTimeline,
icon: const Icon(Icons.timeline),
label: const Text('Timeline'),
),
if (hasMileageOrTrips && onOpenLegs != null) ...[
const SizedBox(width: 8),
TextButton.icon( TextButton.icon(
onPressed: onOpenLegs, onPressed: onShowInfo,
icon: const Icon(Icons.view_list), icon: const Icon(Icons.info_outline),
label: const Text('Legs'), label: const Text('Details'),
), ),
],
const Spacer(),
if (selectionMode && onToggleSelect != null)
TextButton.icon( TextButton.icon(
onPressed: onToggleSelect, onPressed: onOpenTimeline,
icon: Icon( icon: const Icon(Icons.timeline),
isSelected label: const Text('Timeline'),
? Icons.remove_circle_outline ),
: Icons.add_circle_outline, if (hasMileageOrTrips && onOpenLegs != null)
TextButton.icon(
onPressed: onOpenLegs,
icon: const Icon(Icons.view_list),
label: const Text('Legs'),
), ),
label: Text(isSelected ? 'Remove' : 'Add to entry'), ];
),
], final addButton = selectionMode && onToggleSelect != null
? TextButton.icon(
onPressed: onToggleSelect,
icon: Icon(
isSelected
? Icons.remove_circle_outline
: Icons.add_circle_outline,
),
label: Text(isSelected ? 'Remove' : 'Add to entry'),
)
: null;
if (isNarrow) {
return Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Wrap(
spacing: 8,
runSpacing: 4,
children: buttons,
),
if (addButton != null) ...[
const SizedBox(height: 6),
addButton,
],
],
);
}
return Row(
children: [
...buttons.expand((btn) sync* {
yield btn;
yield const SizedBox(width: 8);
}).take(buttons.length * 2 - 1),
const Spacer(),
if (addButton != null) addButton,
],
);
},
), ),
Wrap( Wrap(
spacing: 8, spacing: 8,

View File

@@ -72,9 +72,14 @@ class DataService extends ChangeNotifier {
bool get isEventFieldsLoading => _isEventFieldsLoading; bool get isEventFieldsLoading => _isEventFieldsLoading;
// Station Data // Station Data
List<Station>? _cachedStations; final Map<String, List<Station>> _stationCache = {};
DateTime? _stationsFetchedAt; final Map<String, Future<List<Station>>?> _stationInFlightByKey = {};
Future<List<Station>>? _stationsInFlight; List<String> _stationNetworks = [];
Map<String, List<String>> _stationCountryNetworks = {};
DateTime? _stationFiltersFetchedAt;
List<String> get stationNetworks => _stationNetworks;
Map<String, List<String>> get stationCountryNetworks =>
_stationCountryNetworks;
List<String> stations = [""]; List<String> stations = [""];
@@ -365,37 +370,75 @@ class DataService extends ChangeNotifier {
0; 0;
} }
Future<List<Station>> fetchStations() async { Future<void> fetchStationFilters() async {
final now = DateTime.now(); final now = DateTime.now();
if (_stationFiltersFetchedAt != null &&
// If cache exists and is less than 30 minutes old, return it now.difference(_stationFiltersFetchedAt!) < const Duration(minutes: 30) &&
if (_cachedStations != null && _stationNetworks.isNotEmpty) {
_stationsFetchedAt != null && return;
now.difference(_stationsFetchedAt!) < Duration(minutes: 30)) {
return _cachedStations!;
} }
try {
final response = await api.get('/stations/filter');
if (response is List && response.isNotEmpty && response.first is Map) {
final map = Map<String, dynamic>.from(response.first as Map);
final networks = (map['networks'] as List? ?? const [])
.whereType<String>()
.toList();
final countryNetworksRaw =
map['country_networks'] as Map? ?? const <String, dynamic>{};
final countryNetworks = <String, List<String>>{};
countryNetworksRaw.forEach((key, value) {
if (value is List) {
countryNetworks[key] = value.whereType<String>().toList();
}
});
_stationNetworks = networks;
_stationCountryNetworks = countryNetworks;
_stationFiltersFetchedAt = now;
}
} catch (e) {
debugPrint('Failed to fetch station filters: $e');
}
}
if (_stationsInFlight != null) return _stationsInFlight!; String _stationKey(List<String> countries, List<String> networks) {
final c = countries..sort();
final n = networks..sort();
return 'c:${c.join('|')};n:${n.join('|')}';
}
_stationsInFlight = () async { Future<List<Station>> fetchStations({
List<String> countries = const [],
List<String> networks = const [],
}) async {
final key = _stationKey(List.from(countries), List.from(networks));
if (_stationCache.containsKey(key)) return _stationCache[key]!;
final inflight = _stationInFlightByKey[key];
if (inflight != null) return inflight;
final future = () async {
try { try {
final response = await api.get('/location'); final response = await api.post('/location', {
'countries_filter': countries,
'network_filter': networks,
});
if (response is! List) return const <Station>[]; if (response is! List) return const <Station>[];
final parsed = response final parsed = response
.whereType<Map>() .whereType<Map>()
.map((e) => Station.fromJson(Map<String, dynamic>.from(e))) .map((e) => Station.fromJson(Map<String, dynamic>.from(e)))
.toList(); .toList();
_cachedStations = parsed; _stationCache[key] = parsed;
_stationsFetchedAt = now;
return parsed; return parsed;
} catch (e) { } catch (e) {
debugPrint('Failed to fetch stations: $e'); debugPrint('Failed to fetch stations: $e');
return const <Station>[]; return const <Station>[];
} finally { } finally {
_stationsInFlight = null; _stationInFlightByKey.remove(key);
} }
}(); }();
return _stationsInFlight!; _stationInFlightByKey[key] = future;
return future;
} }
} }

View File

@@ -84,8 +84,9 @@ class _MyAppState extends State<MyApp> {
redirect: (context, state) { redirect: (context, state) {
final loggedIn = auth.isLoggedIn; final loggedIn = auth.isLoggedIn;
final loggingIn = state.uri.toString() == '/login'; final loggingIn = state.uri.toString() == '/login';
final atSettings = state.uri.toString() == '/settings';
if (!loggedIn && !loggingIn) return '/login'; if (!loggedIn && !loggingIn && !atSettings) return '/login';
if (loggedIn && loggingIn) return '/'; if (loggedIn && loggingIn) return '/';
return null; return null;
}, },
@@ -155,13 +156,13 @@ class _MyAppState extends State<MyApp> {
return NewEntryPage(editLegId: legId); return NewEntryPage(editLegId: legId);
}, },
), ),
GoRoute(
path: '/settings',
builder: (context, state) => const SettingsPage(),
),
], ],
), ),
GoRoute(path: '/login', builder: (context, state) => const LoginScreen()), GoRoute(path: '/login', builder: (context, state) => const LoginScreen()),
GoRoute(
path: '/settings',
builder: (context, state) => const SettingsPage(),
),
], ],
); );
} }

View File

@@ -16,7 +16,7 @@ publish_to: "none" # Remove this line if you wish to publish to pub.dev
# https://developer.apple.com/library/archive/documentation/General/Reference/InfoPlistKeyReference/Articles/CoreFoundationKeys.html # https://developer.apple.com/library/archive/documentation/General/Reference/InfoPlistKeyReference/Articles/CoreFoundationKeys.html
# In Windows, build-name is used as the major, minor, and patch parts # In Windows, build-name is used as the major, minor, and patch parts
# of the product and file versions while build-number is used as the build suffix. # of the product and file versions while build-number is used as the build suffix.
version: 0.3.2+1 version: 0.3.3+1
environment: environment:
sdk: ^3.8.1 sdk: ^3.8.1