Root cause: SearchScreen popped with a plain city label string; the
pincode was available in search results but discarded. home_screen only
saved the display label to prefs and never updated the 'pincode' key,
so every API call always sent {pincode:'all'} regardless of selection.
GPS path had the same issue — lat/lng were obtained but thrown away
after reverse-geocoding; only the label was passed back.
Fix:
- SearchScreen now pops with Map<String,dynamic> {label, pincode,
lat?, lng?} instead of a plain String
- Pincode results return their pincode; GPS returns actual coordinates;
popular city chips look up the first matching pincode from the
Kerala pincodes DB (fallback 'all' if not found)
- home_screen._openLocationSearch() saves pincode + lat/lng to prefs
and updates _pincode/_userLat/_userLng in state
- home_screen._loadUserDataAndEvents() prefers getEventsByLocation
(haversine) when GPS coords are saved, falls back to getEventsByPincode
- EventsService gains getEventsByLocation(lat, lng) which sends
latitude/longitude/radius_km to the existing Django haversine endpoint
and auto-expands radius 10→25→50→100 km until ≥ 6 events found
Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>
160 lines
5.8 KiB
Dart
160 lines
5.8 KiB
Dart
// lib/features/events/services/events_service.dart
|
|
import '../../../core/api/api_client.dart';
|
|
import '../../../core/api/api_endpoints.dart';
|
|
import '../models/event_models.dart';
|
|
|
|
class EventsService {
|
|
final ApiClient _api = ApiClient();
|
|
|
|
// ---------------------------------------------------------------------------
|
|
// In-memory caches with TTL
|
|
// ---------------------------------------------------------------------------
|
|
static List<EventTypeModel>? _cachedTypes;
|
|
static DateTime? _typesCacheTime;
|
|
static const _typesCacheTTL = Duration(minutes: 30);
|
|
|
|
static List<EventModel>? _cachedAllEvents;
|
|
static DateTime? _eventsCacheTime;
|
|
static const _eventsCacheTTL = Duration(minutes: 5);
|
|
|
|
/// Get event types (POST to /events/type-list/)
|
|
/// Cached for 30 minutes since event types rarely change.
|
|
Future<List<EventTypeModel>> getEventTypes() async {
|
|
if (_cachedTypes != null &&
|
|
_typesCacheTime != null &&
|
|
DateTime.now().difference(_typesCacheTime!) < _typesCacheTTL) {
|
|
return _cachedTypes!;
|
|
}
|
|
|
|
final res = await _api.post(ApiEndpoints.eventTypes, requiresAuth: false);
|
|
final list = <EventTypeModel>[];
|
|
final data = res['event_types'] ?? res;
|
|
if (data is List) {
|
|
for (final e in data) {
|
|
if (e is Map<String, dynamic>) list.add(EventTypeModel.fromJson(e));
|
|
}
|
|
}
|
|
|
|
_cachedTypes = list;
|
|
_typesCacheTime = DateTime.now();
|
|
return list;
|
|
}
|
|
|
|
/// Get events filtered by pincode with pagination.
|
|
/// [page] starts at 1. [pageSize] defaults to 50.
|
|
/// Returns a list of events for the requested page.
|
|
Future<List<EventModel>> getEventsByPincode(String pincode, {int page = 1, int pageSize = 50, int perType = 5, String q = ''}) async {
|
|
// Use cache for 'all' pincode queries (first page only, no active search)
|
|
if (pincode == 'all' &&
|
|
page == 1 &&
|
|
q.isEmpty &&
|
|
_cachedAllEvents != null &&
|
|
_eventsCacheTime != null &&
|
|
DateTime.now().difference(_eventsCacheTime!) < _eventsCacheTTL) {
|
|
return _cachedAllEvents!;
|
|
}
|
|
|
|
final Map<String, dynamic> body = {'pincode': pincode, 'page': page, 'page_size': pageSize};
|
|
// Diverse mode: fetch a few events per type so all categories are represented
|
|
if (perType > 0 && page == 1) body['per_type'] = perType;
|
|
// Server-side search filter
|
|
if (q.isNotEmpty) body['q'] = q;
|
|
|
|
final res = await _api.post(
|
|
ApiEndpoints.eventsByPincode,
|
|
body: body,
|
|
requiresAuth: false,
|
|
);
|
|
final list = <EventModel>[];
|
|
final events = res['events'] ?? res['data'] ?? [];
|
|
if (events is List) {
|
|
for (final e in events) {
|
|
if (e is Map<String, dynamic>) list.add(EventModel.fromJson(Map<String, dynamic>.from(e)));
|
|
}
|
|
}
|
|
|
|
if (pincode == 'all' && page == 1) {
|
|
_cachedAllEvents = list;
|
|
_eventsCacheTime = DateTime.now();
|
|
}
|
|
return list;
|
|
}
|
|
|
|
/// Event details — requiresAuth: false so guests can fetch full details
|
|
Future<EventModel> getEventDetails(int eventId) async {
|
|
final res = await _api.post(ApiEndpoints.eventDetails, body: {'event_id': eventId}, requiresAuth: false);
|
|
return EventModel.fromJson(Map<String, dynamic>.from(res));
|
|
}
|
|
|
|
/// Related events by event_type_id (EVT-002).
|
|
/// Fetches events with the same category, silently returns [] on failure.
|
|
Future<List<EventModel>> getEventsByCategory(int eventTypeId, {int limit = 5}) async {
|
|
try {
|
|
final res = await _api.post(
|
|
ApiEndpoints.eventsByCategory,
|
|
body: {'event_type_id': eventTypeId, 'page_size': limit, 'page': 1},
|
|
requiresAuth: false,
|
|
);
|
|
final results = res['results'] ?? res['events'] ?? res['data'] ?? [];
|
|
if (results is List) {
|
|
return results
|
|
.whereType<Map<String, dynamic>>()
|
|
.map((e) => EventModel.fromJson(e))
|
|
.toList();
|
|
}
|
|
} catch (_) {
|
|
// silently fail — related events are non-critical
|
|
}
|
|
return [];
|
|
}
|
|
|
|
/// Get events by GPS coordinates using haversine distance filtering.
|
|
/// Automatically expands radius (10 → 25 → 50 → 100 km) until ≥ 6 events found.
|
|
Future<List<EventModel>> getEventsByLocation(double lat, double lng, {double initialRadiusKm = 10}) async {
|
|
const radii = [10.0, 25.0, 50.0, 100.0];
|
|
for (final radius in radii) {
|
|
if (radius < initialRadiusKm) continue;
|
|
final body = {
|
|
'latitude': lat,
|
|
'longitude': lng,
|
|
'radius_km': radius,
|
|
'page': 1,
|
|
'page_size': 50,
|
|
'per_type': 5,
|
|
};
|
|
final res = await _api.post(ApiEndpoints.eventsByPincode, body: body, requiresAuth: false);
|
|
final list = <EventModel>[];
|
|
final events = res['events'] ?? res['data'] ?? [];
|
|
if (events is List) {
|
|
for (final e in events) {
|
|
if (e is Map<String, dynamic>) list.add(EventModel.fromJson(Map<String, dynamic>.from(e)));
|
|
}
|
|
}
|
|
if (list.length >= 6 || radius >= 100) return list;
|
|
}
|
|
return [];
|
|
}
|
|
|
|
/// Events by month and year for calendar (POST to /events/events-by-month-year/)
|
|
Future<Map<String, dynamic>> getEventsByMonthYear(String month, int year) async {
|
|
final res = await _api.post(ApiEndpoints.eventsByMonth, body: {'month': month, 'year': year}, requiresAuth: false);
|
|
return res;
|
|
}
|
|
|
|
/// Convenience: get events for a specific date (YYYY-MM-DD).
|
|
/// Uses the cached events list when available to avoid redundant API calls.
|
|
Future<List<EventModel>> getEventsForDate(String date) async {
|
|
final all = await getEventsByPincode('all');
|
|
return all.where((e) {
|
|
try {
|
|
return e.startDate == date ||
|
|
e.endDate == date ||
|
|
(DateTime.parse(e.startDate).isBefore(DateTime.parse(date)) &&
|
|
DateTime.parse(e.endDate).isAfter(DateTime.parse(date)));
|
|
} catch (_) {
|
|
return false;
|
|
}
|
|
}).toList();
|
|
}
|
|
}
|