Enhance booking system: update API endpoints, improve event loading with caching, and refine UI components

This commit is contained in:
mohammad
2025-07-16 15:36:49 +03:00
parent 75b9f4a4e6
commit c6729f476f
10 changed files with 307 additions and 316 deletions

View File

@ -14,146 +14,20 @@ class RemoteCalendarService implements CalendarSystemService {
@override @override
Future<CalendarEventsResponse> getCalendarEvents({ Future<CalendarEventsResponse> getCalendarEvents({
required String spaceId, required String spaceId,
required String month,
required String year,
}) async { }) async {
try { try {
final response = await _httpService.get( return await _httpService.get<CalendarEventsResponse>(
path: ApiEndpoints.getCalendarEvents, path: ApiEndpoints.getBookings
queryParameters: { .replaceAll('{mm}', month)
'spaceId': spaceId, .replaceAll('{yyyy}', year)
}, .replaceAll('{space}', spaceId),
expectedResponseModel: (json) { expectedResponseModel: (json) {
return CalendarEventsResponse.fromJson( return CalendarEventsResponse.fromJson(json as Map<String, dynamic>);
json as Map<String, dynamic>,
);
}, },
); );
return CalendarEventsResponse.fromJson(response as Map<String, dynamic>);
} on DioException catch (e) {
final responseData = e.response?.data;
if (responseData is Map<String, dynamic>) {
final errorMessage = responseData['error']?['message'] as String? ??
responseData['message'] as String? ??
_defaultErrorMessage;
throw APIException(errorMessage);
}
throw APIException(_defaultErrorMessage);
} catch (e) {
throw APIException('$_defaultErrorMessage: ${e.toString()}');
}
}
}
class FakeRemoteCalendarService implements CalendarSystemService {
const FakeRemoteCalendarService(this._httpService, {this.useDummy = false});
final HTTPService _httpService;
final bool useDummy;
static const _defaultErrorMessage = 'Failed to load Calendar';
@override
Future<CalendarEventsResponse> getCalendarEvents({
required String spaceId,
}) async {
if (useDummy) {
final dummyJson = {
'statusCode': 200,
'message': 'Successfully fetched all bookings',
'data': [
{
'uuid': 'd4553fa6-a0c9-4f42-81c9-99a13a57bf80',
'date': '2025-07-11T10:22:00.626Z',
'startTime': '09:00:00',
'endTime': '12:00:00',
'cost': 10,
'user': {
'uuid': '784394ff-3197-4c39-9f07-48dc44920b1e',
'firstName': 'salsabeel',
'lastName': 'abuzaid',
'email': 'test@test.com',
'companyName': null
},
'space': {
'uuid': '000f4d81-43e4-4ad7-865c-0f8b04b7081e',
'spaceName': '2(1)'
}
},
{
'uuid': 'e9b27af0-b963-4d98-9657-454c4ba78561',
'date': '2025-07-11T10:22:00.626Z',
'startTime': '12:00:00',
'endTime': '13:00:00',
'cost': 10,
'user': {
'uuid': '784394ff-3197-4c39-9f07-48dc44920b1e',
'firstName': 'salsabeel',
'lastName': 'abuzaid',
'email': 'test@test.com',
'companyName': null
},
'space': {
'uuid': '000f4d81-43e4-4ad7-865c-0f8b04b7081e',
'spaceName': '2(1)'
}
},
{
'uuid': 'e9b27af0-b963-4d98-9657-454c4ba78561',
'date': '2025-07-13T10:22:00.626Z',
'startTime': '15:30:00',
'endTime': '19:00:00',
'cost': 20,
'user': {
'uuid': '784394ff-3197-4c39-9f07-48dc44920b1e',
'firstName': 'salsabeel',
'lastName': 'abuzaid',
'email': 'test@test.com',
'companyName': null
},
'space': {
'uuid': '000f4d81-43e4-4ad7-865c-0f8b04b7081e',
'spaceName': '2(1)'
}
}
],
'success': true
};
final response = CalendarEventsResponse.fromJson(dummyJson);
// Filter events by spaceId
final filteredData = response.data.where((event) {
return event.space.uuid == spaceId;
}).toList();
print('Filtering events for spaceId: $spaceId');
print('Found ${filteredData.length} matching events');
return filteredData.isNotEmpty
? CalendarEventsResponse(
statusCode: response.statusCode,
message: response.message,
data: filteredData,
success: response.success,
)
: CalendarEventsResponse(
statusCode: 404,
message: 'No events found for spaceId: $spaceId',
data: [],
success: false,
);
}
try {
final response = await _httpService.get(
path: ApiEndpoints.getCalendarEvents,
queryParameters: {
'spaceId': spaceId,
},
expectedResponseModel: (json) {
return CalendarEventsResponse.fromJson(
json as Map<String, dynamic>,
);
},
);
return CalendarEventsResponse.fromJson(response as Map<String, dynamic>);
} on DioException catch (e) { } on DioException catch (e) {
final responseData = e.response?.data; final responseData = e.response?.data;
if (responseData is Map<String, dynamic>) { if (responseData is Map<String, dynamic>) {

View File

@ -3,5 +3,7 @@ import 'package:syncrow_web/pages/access_management/booking_system/domain/models
abstract class CalendarSystemService { abstract class CalendarSystemService {
Future<CalendarEventsResponse> getCalendarEvents({ Future<CalendarEventsResponse> getCalendarEvents({
required String spaceId, required String spaceId,
required String month,
required String year,
}); });
} }

View File

@ -4,35 +4,70 @@ import 'package:calendar_view/calendar_view.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:syncrow_web/pages/access_management/booking_system/domain/models/calendar_event_booking.dart'; import 'package:syncrow_web/pages/access_management/booking_system/domain/models/calendar_event_booking.dart';
import 'package:syncrow_web/pages/access_management/booking_system/domain/services/calendar_system_service.dart'; import 'package:syncrow_web/pages/access_management/booking_system/domain/services/calendar_system_service.dart';
part 'events_event.dart'; part 'events_event.dart';
part 'events_state.dart'; part 'events_state.dart';
class CalendarEventsBloc extends Bloc<CalendarEventsEvent, CalendarEventState> { class CalendarEventsBloc extends Bloc<CalendarEventsEvent, CalendarEventState> {
final EventController eventController = EventController(); final EventController eventController = EventController();
final CalendarSystemService calendarService; final CalendarSystemService calendarService;
final Map<String, List<CalendarEventData>> _eventsCache = {};
String? _lastSpaceId;
int? _lastMonth;
int? _lastYear;
CalendarEventsBloc({required this.calendarService}) : super(EventsInitial()) { CalendarEventsBloc({required this.calendarService}) : super(EventsInitial()) {
on<LoadEvents>(_onLoadEvents); on<LoadEvents>(_onLoadEvents);
on<AddEvent>(_onAddEvent); on<AddEvent>(_onAddEvent);
on<StartTimer>(_onStartTimer);
on<DisposeResources>(_onDisposeResources); on<DisposeResources>(_onDisposeResources);
on<GoToWeek>(_onGoToWeek); on<GoToWeek>(_onGoToWeek);
} }
Future<void> _onLoadEvents( Future<void> _onLoadEvents(
LoadEvents event, LoadEvents event,
Emitter<CalendarEventState> emit, Emitter<CalendarEventState> emit,
) async { ) async {
final month = event.weekEnd.month;
final year = event.weekEnd.year;
final cacheKey =
'${event.spaceId}-$year-${month.toString().padLeft(2, '0')}';
if (_eventsCache.containsKey(cacheKey)) {
final cachedEvents = _eventsCache[cacheKey]!;
eventController.addAll(cachedEvents);
emit(EventsLoaded(
events: cachedEvents,
spaceId: event.spaceId,
month: month,
year: year,
));
return;
}
if (_lastSpaceId == event.spaceId &&
_lastMonth == month &&
_lastYear == year) {
return;
}
emit(EventsLoading()); emit(EventsLoading());
try { try {
final response = await calendarService.getCalendarEvents( final response = await calendarService.getCalendarEvents(
month: month.toString().padLeft(2, '0'),
year: year.toString(),
spaceId: event.spaceId, spaceId: event.spaceId,
); );
final events =
response.data.map<CalendarEventData>(_toCalendarEventData).toList(); final events = response.data.map(_toCalendarEventData).toList();
_eventsCache[cacheKey] = events;
eventController.addAll(events); eventController.addAll(events);
emit(EventsLoaded(events: events)); _lastSpaceId = event.spaceId;
_lastMonth = month;
_lastYear = year;
emit(EventsLoaded(
events: events,
spaceId: event.spaceId,
month: month,
year: year,
));
} catch (e) { } catch (e) {
emit(EventsError('Failed to load events')); emit(EventsError('Failed to load events'));
} }
@ -40,16 +75,28 @@ class CalendarEventsBloc extends Bloc<CalendarEventsEvent, CalendarEventState> {
void _onAddEvent(AddEvent event, Emitter<CalendarEventState> emit) { void _onAddEvent(AddEvent event, Emitter<CalendarEventState> emit) {
eventController.add(event.event); eventController.add(event.event);
if (state is EventsLoaded) { if (state is EventsLoaded) {
final loaded = state as EventsLoaded; final loaded = state as EventsLoaded;
final cacheKey =
'${loaded.spaceId}-${loaded.year}-${loaded.month.toString().padLeft(2, '0')}';
if (_eventsCache.containsKey(cacheKey)) {
final cachedEvents =
List<CalendarEventData>.from(_eventsCache[cacheKey]!);
cachedEvents.add(event.event);
_eventsCache[cacheKey] = cachedEvents;
}
emit(EventsLoaded( emit(EventsLoaded(
events: [...eventController.events], events: [...eventController.events],
spaceId: loaded.spaceId,
month: loaded.month,
year: loaded.year,
)); ));
} }
} }
void _onStartTimer(StartTimer event, Emitter<CalendarEventState> emit) {}
void _onDisposeResources( void _onDisposeResources(
DisposeResources event, Emitter<CalendarEventState> emit) { DisposeResources event, Emitter<CalendarEventState> emit) {
eventController.dispose(); eventController.dispose();
@ -61,6 +108,9 @@ class CalendarEventsBloc extends Bloc<CalendarEventsEvent, CalendarEventState> {
final newWeekDays = _getWeekDays(event.weekDate); final newWeekDays = _getWeekDays(event.weekDate);
emit(EventsLoaded( emit(EventsLoaded(
events: loaded.events, events: loaded.events,
spaceId: loaded.spaceId,
month: loaded.month,
year: loaded.year,
)); ));
} }
} }
@ -90,14 +140,13 @@ class CalendarEventsBloc extends Bloc<CalendarEventsEvent, CalendarEventState> {
); );
return CalendarEventData( return CalendarEventData(
date: startTime, date: startTime,
startTime: startTime, startTime: startTime,
endTime: endTime, endTime: endTime,
title: title: '${booking.user.firstName} ${booking.user.lastName}',
'${booking.space.spaceName} - ${booking.user.firstName} ${booking.user.lastName}',
description: 'Cost: ${booking.cost}', description: 'Cost: ${booking.cost}',
color: Colors.blue, color: Colors.blue,
event: booking, event: booking,
); );
} }

View File

@ -7,11 +7,17 @@ class EventsInitial extends CalendarEventState {}
class EventsLoading extends CalendarEventState {} class EventsLoading extends CalendarEventState {}
class EventsLoaded extends CalendarEventState { final class EventsLoaded extends CalendarEventState {
final List<CalendarEventData> events; final List<CalendarEventData> events;
final String spaceId;
final int month;
final int year;
EventsLoaded({ EventsLoaded({
required this.events, required this.events,
required this.spaceId,
required this.month,
required this.year,
}); });
} }

View File

@ -62,8 +62,9 @@ class _BookingPageState extends State<BookingPage> {
BlocProvider(create: (_) => DateSelectionBloc()), BlocProvider(create: (_) => DateSelectionBloc()),
BlocProvider( BlocProvider(
create: (_) => CalendarEventsBloc( create: (_) => CalendarEventsBloc(
calendarService: calendarService: RemoteCalendarService(
FakeRemoteCalendarService(HTTPService(), useDummy: true), HTTPService(),
),
), ),
), ),
], ],
@ -138,7 +139,7 @@ class _BookingPageState extends State<BookingPage> {
), ),
), ),
Expanded( Expanded(
flex: 4, flex: 5,
child: Padding( child: Padding(
padding: const EdgeInsets.all(20.0), padding: const EdgeInsets.all(20.0),
child: Column( child: Column(
@ -187,6 +188,7 @@ class _BookingPageState extends State<BookingPage> {
], ],
), ),
Expanded( Expanded(
flex: 5,
child: BlocBuilder<SelectedBookableSpaceBloc, child: BlocBuilder<SelectedBookableSpaceBloc,
SelectedBookableSpaceState>( SelectedBookableSpaceState>(
builder: (context, roomState) { builder: (context, roomState) {

View File

@ -72,11 +72,7 @@ class __SidebarContentState extends State<_SidebarContent> {
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
return BlocConsumer<SidebarBloc, SidebarState>( return BlocConsumer<SidebarBloc, SidebarState>(
listener: (context, state) { listener: (context, state) {},
if (state.currentPage == 1 && searchController.text.isNotEmpty) {
searchController.clear();
}
},
builder: (context, state) { builder: (context, state) {
return Column( return Column(
children: [ children: [
@ -147,6 +143,7 @@ class __SidebarContentState extends State<_SidebarContent> {
IconButton( IconButton(
icon: const Icon(Icons.close), icon: const Icon(Icons.close),
onPressed: () { onPressed: () {
searchController.clear();
context.read<SidebarBloc>().add(ResetSearch()); context.read<SidebarBloc>().add(ResetSearch());
}, },
), ),

View File

@ -1,16 +1,15 @@
import 'package:calendar_view/calendar_view.dart'; import 'package:calendar_view/calendar_view.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:intl/intl.dart'; import 'package:intl/intl.dart';
import 'package:syncrow_web/pages/access_management/booking_system/domain/models/calendar_event_booking.dart';
import 'package:syncrow_web/utils/color_manager.dart'; import 'package:syncrow_web/utils/color_manager.dart';
class EventTileWidget extends StatelessWidget { class EventTileWidget extends StatelessWidget {
final List<CalendarEventData<Object?>> events; final List<CalendarEventData<Object?>> events;
const EventTileWidget({ const EventTileWidget({
super.key, super.key,
required this.events, required this.events,
}); });
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
return Container( return Container(
@ -18,39 +17,86 @@ class EventTileWidget extends StatelessWidget {
child: Column( child: Column(
crossAxisAlignment: CrossAxisAlignment.start, crossAxisAlignment: CrossAxisAlignment.start,
children: events.map((event) { children: events.map((event) {
final bool isEventEnded = final booking = event.event is CalendarEventBooking
? event.event! as CalendarEventBooking
: null;
final companyName = booking?.user.companyName ?? 'Unknown Company';
final startTime = DateFormat('hh:mm a').format(event.startTime!);
final endTime = DateFormat('hh:mm a').format(event.endTime!);
final isEventEnded =
event.endTime != null && event.endTime!.isBefore(DateTime.now()); event.endTime != null && event.endTime!.isBefore(DateTime.now());
final duration = event.endTime!.difference(event.startTime!);
final bool isLongEnough = duration.inMinutes >= 31;
return Expanded( return Expanded(
child: Container( child: Container(
width: double.infinity, width: double.infinity,
padding: const EdgeInsets.all(6), padding: EdgeInsets.all(5),
decoration: BoxDecoration( decoration: BoxDecoration(
color: isEventEnded color: isEventEnded
? ColorsManager.lightGrayBorderColor ? ColorsManager.grayColor.withOpacity(0.1)
: ColorsManager.blue1.withOpacity(0.25), : ColorsManager.blue1.withOpacity(0.1),
borderRadius: BorderRadius.circular(6), borderRadius: BorderRadius.circular(6),
), border: const Border(
child: Column( left: BorderSide(
crossAxisAlignment: CrossAxisAlignment.start, color: ColorsManager.grayColor,
children: [ width: 4,
Text(
DateFormat('h:mm a').format(event.startTime!),
style: const TextStyle(
fontWeight: FontWeight.bold,
fontSize: 12,
color: Colors.black87,
),
), ),
const SizedBox(height: 2), ),
Text(
event.title,
style: const TextStyle(
fontSize: 12,
color: ColorsManager.blackColor,
),
),
],
), ),
child: isLongEnough
? Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(
'$startTime - $endTime',
overflow: TextOverflow.ellipsis,
style: TextStyle(
fontSize: 12,
color: isEventEnded
? ColorsManager.grayColor.withOpacity(0.9)
: ColorsManager.blackColor,
fontWeight: FontWeight.w400,
),
),
const SizedBox(height: 2),
Text(
event.title,
overflow: TextOverflow.ellipsis,
style: TextStyle(
fontSize: 14,
color: isEventEnded
? ColorsManager.grayColor
: ColorsManager.blackColor,
fontWeight: FontWeight.bold,
),
),
const SizedBox(height: 2),
Text(
companyName,
overflow: TextOverflow.ellipsis,
style: TextStyle(
fontSize: 14,
color: isEventEnded
? ColorsManager.grayColor.withOpacity(0.9)
: ColorsManager.blackColor,
fontWeight: FontWeight.w400,
),
),
],
)
: Text(
event.title,
overflow: TextOverflow.ellipsis,
style: TextStyle(
fontSize: 14,
color: isEventEnded
? ColorsManager.grayColor
: ColorsManager.blackColor,
fontWeight: FontWeight.bold,
),
),
), ),
); );
}).toList(), }).toList(),

View File

@ -24,17 +24,21 @@ class RoomListItem extends StatelessWidget {
activeColor: ColorsManager.primaryColor, activeColor: ColorsManager.primaryColor,
title: Text( title: Text(
room.spaceName, room.spaceName,
maxLines: 2,
style: Theme.of(context).textTheme.bodyMedium?.copyWith( style: Theme.of(context).textTheme.bodyMedium?.copyWith(
color: ColorsManager.lightGrayColor, color: ColorsManager.lightGrayColor,
fontWeight: FontWeight.w700, fontWeight: FontWeight.w700,
overflow: TextOverflow.ellipsis,
fontSize: 12), fontSize: 12),
), ),
subtitle: Text( subtitle: Text(
room.virtualLocation, room.virtualLocation,
maxLines: 2,
style: Theme.of(context).textTheme.bodySmall?.copyWith( style: Theme.of(context).textTheme.bodySmall?.copyWith(
fontSize: 10, fontSize: 10,
fontWeight: FontWeight.w400, fontWeight: FontWeight.w400,
color: ColorsManager.textGray, color: ColorsManager.textGray,
overflow: TextOverflow.ellipsis,
), ),
), ),
); );

View File

@ -1,7 +1,6 @@
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:calendar_view/calendar_view.dart'; import 'package:calendar_view/calendar_view.dart';
import 'package:syncrow_web/pages/access_management/booking_system/presentation/view/widgets/event_tile_widget.dart'; import 'package:syncrow_web/pages/access_management/booking_system/presentation/view/widgets/event_tile_widget.dart';
import 'package:syncrow_web/pages/access_management/booking_system/presentation/view/widgets/hatched_column_background.dart';
import 'package:syncrow_web/pages/access_management/booking_system/presentation/view/widgets/time_line_widget.dart'; import 'package:syncrow_web/pages/access_management/booking_system/presentation/view/widgets/time_line_widget.dart';
import 'package:syncrow_web/pages/access_management/booking_system/presentation/view/widgets/week_day_header.dart'; import 'package:syncrow_web/pages/access_management/booking_system/presentation/view/widgets/week_day_header.dart';
import 'package:syncrow_web/utils/color_manager.dart'; import 'package:syncrow_web/utils/color_manager.dart';
@ -23,6 +22,12 @@ class WeeklyCalendarPage extends StatelessWidget {
this.endTime, this.endTime,
this.selectedDateFromSideBarCalender, this.selectedDateFromSideBarCalender,
}); });
static const double timeLineWidth = 65;
static const int totalDays = 7;
static const double dayColumnWidth = 220; // or any width you want
final double calendarContentWidth =
timeLineWidth + (totalDays * dayColumnWidth);
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
@ -52,154 +57,159 @@ class WeeklyCalendarPage extends StatelessWidget {
); );
} }
final weekDays = _getWeekDays(weekStart);
final selectedDayIndex = const double timeLineWidth = 65;
weekDays.indexWhere((d) => isSameDay(d, selectedDate));
final selectedSidebarIndex = selectedDateFromSideBarCalender == null
? -1
: weekDays
.indexWhere((d) => isSameDay(d, selectedDateFromSideBarCalender!));
const double timeLineWidth = 80;
const int totalDays = 7;
final DateTime highlightStart = DateTime(2025, 7, 10);
final DateTime highlightEnd = DateTime(2025, 7, 19);
return LayoutBuilder( return LayoutBuilder(
builder: (context, constraints) { builder: (context, constraints) {
final double calendarWidth = constraints.maxWidth;
final double dayColumnWidth =
(calendarWidth - timeLineWidth) / totalDays - 0.1;
bool isInRange(DateTime date, DateTime start, DateTime end) { bool isInRange(DateTime date, DateTime start, DateTime end) {
return !date.isBefore(start) && !date.isAfter(end); !date.isBefore(start) && !date.isAfter(end);
// remove this line and Check if the date is within the range
return false;
} }
return Padding( return SingleChildScrollView(
padding: const EdgeInsets.only(left: 25.0, right: 25.0, top: 25), scrollDirection: Axis.horizontal,
child: Stack( child: SizedBox(
children: [ width: calendarContentWidth,
WeekView( child: Padding(
weekDetectorBuilder: ({ padding:
required date, const EdgeInsets.only(left: 25.0, right: 25.0, top: 25),
required height, child: Stack(
required heightPerMinute, children: [
required minuteSlotSize, Container(
required width, child: WeekView(
}) { minuteSlotSize: MinuteSlotSize.minutes15,
return isInRange(date, highlightStart, highlightEnd) weekDetectorBuilder: ({
? HatchedColumnBackground( required date,
backgroundColor: ColorsManager.grey800, required height,
lineColor: ColorsManager.textGray, required heightPerMinute,
opacity: 0.3, required minuteSlotSize,
stripeSpacing: 12, required width,
borderRadius: BorderRadius.circular(8), }) {
) final isSelected = isSameDay(date, selectedDate);
: const SizedBox(); final isSidebarSelected =
}, selectedDateFromSideBarCalender != null &&
pageViewPhysics: const NeverScrollableScrollPhysics(), isSameDay(
key: ValueKey(weekStart), date, selectedDateFromSideBarCalender!);
controller: eventController, if (isSidebarSelected && !isSelected) {
initialDay: weekStart, return Container(
startHour: startHour - 1, height: height,
endHour: endHour, width: width,
heightPerMinute: 1.1, decoration: BoxDecoration(
showLiveTimeLineInAllDays: false, color: Colors.orange.withOpacity(0.13),
showVerticalLines: true, borderRadius: BorderRadius.circular(8),
emulateVerticalOffsetBy: -80, ),
startDay: WeekDays.monday, );
liveTimeIndicatorSettings: const LiveTimeIndicatorSettings( } else if (isSelected) {
showBullet: false, return Container(
height: 0, height: height,
), width: width,
weekDayBuilder: (date) { decoration: BoxDecoration(
return WeekDayHeader( color:
date: date, ColorsManager.spaceColor.withOpacity(0.07),
isSelectedDay: isSameDay(date, selectedDate), borderRadius: BorderRadius.circular(8),
); ),
}, );
timeLineBuilder: (date) { }
return TimeLineWidget(date: date); return const SizedBox.shrink();
}, },
timeLineWidth: timeLineWidth,
weekPageHeaderBuilder: (start, end) => Container(), // weekDetectorBuilder: ({
weekTitleHeight: 60, // required date,
weekNumberBuilder: (firstDayOfWeek) => Padding( // required height,
padding: const EdgeInsets.only(right: 15, bottom: 10), // required heightPerMinute,
child: Column( // required minuteSlotSize,
crossAxisAlignment: CrossAxisAlignment.end, // required width,
mainAxisAlignment: MainAxisAlignment.end, // }) {
children: [ // return isInRange(date, highlightStart, highlightEnd)
Text( // ? HatchedColumnBackground(
firstDayOfWeek.timeZoneName.replaceAll(':00', ''), // backgroundColor: ColorsManager.grey800,
style: Theme.of(context).textTheme.bodyMedium?.copyWith( // lineColor: ColorsManager.textGray,
fontSize: 12, // opacity: 0.3,
color: ColorsManager.blackColor, // stripeSpacing: 12,
fontWeight: FontWeight.w400, // borderRadius: BorderRadius.circular(8),
), // )
// : const SizedBox();
// },
pageViewPhysics: const NeverScrollableScrollPhysics(),
key: ValueKey(weekStart),
controller: eventController,
initialDay: weekStart,
startHour: startHour - 1,
endHour: endHour,
heightPerMinute: 1.7,
showLiveTimeLineInAllDays: false,
showVerticalLines: true,
emulateVerticalOffsetBy: -80,
startDay: WeekDays.monday,
liveTimeIndicatorSettings:
const LiveTimeIndicatorSettings(
showBullet: false,
height: 0,
),
weekDayBuilder: (date) {
return WeekDayHeader(
date: date,
isSelectedDay: isSameDay(date, selectedDate),
);
},
timeLineBuilder: (date) {
return TimeLineWidget(date: date);
},
timeLineWidth: timeLineWidth,
weekPageHeaderBuilder: (start, end) => Container(),
weekTitleHeight: 60,
weekNumberBuilder: (firstDayOfWeek) => Padding(
padding: const EdgeInsets.only(right: 15, bottom: 10),
child: Column(
crossAxisAlignment: CrossAxisAlignment.end,
mainAxisAlignment: MainAxisAlignment.end,
children: [
Text(
firstDayOfWeek.timeZoneName
.replaceAll(':00', ''),
style: Theme.of(context)
.textTheme
.bodyMedium
?.copyWith(
fontSize: 12,
color: ColorsManager.blackColor,
fontWeight: FontWeight.w400,
),
),
],
),
),
eventTileBuilder: (date, events, boundary, start, end) {
return EventTileWidget(
events: events,
);
},
), ),
],
),
),
eventTileBuilder: (date, events, boundary, start, end) {
return EventTileWidget(
events: events,
);
},
),
if (selectedDayIndex >= 0)
Positioned(
left: (timeLineWidth + 3) +
(dayColumnWidth - 8) * (selectedDayIndex - 0.01),
top: 0,
bottom: 0,
width: dayColumnWidth,
child: IgnorePointer(
child: Container(
margin: const EdgeInsets.symmetric(
vertical: 0, horizontal: 4),
color: ColorsManager.spaceColor.withOpacity(0.07),
), ),
), Positioned(
), right: 0,
if (selectedSidebarIndex >= 0 && top: 50,
selectedSidebarIndex != selectedDayIndex) bottom: 0,
Positioned( child: IgnorePointer(
left: (timeLineWidth + 3) + child: Container(
(dayColumnWidth - 8) * (selectedSidebarIndex - 0.01), width: 1,
top: 0, color: Theme.of(context).scaffoldBackgroundColor,
bottom: 0, ),
width: dayColumnWidth, ),
child: IgnorePointer(
child: Container(
margin: const EdgeInsets.symmetric(
vertical: 0, horizontal: 4),
color: Colors.orange.withOpacity(0.14),
), ),
), ],
),
Positioned(
right: 0,
top: 50,
bottom: 0,
child: IgnorePointer(
child: Container(
width: 1,
color: Theme.of(context).scaffoldBackgroundColor,
),
), ),
), ),
], ));
),
);
}, },
); );
} }
List<DateTime> _getWeekDays(DateTime date) {
final int weekday = date.weekday;
final DateTime monday = date.subtract(Duration(days: weekday - 1));
return List.generate(7, (i) => monday.add(Duration(days: i)));
}
} }
bool isSameDay(DateTime d1, DateTime d2) { bool isSameDay(DateTime d1, DateTime d2) {

View File

@ -140,5 +140,6 @@ abstract class ApiEndpoints {
static const String saveSchedule = '/schedule/{deviceUuid}'; static const String saveSchedule = '/schedule/{deviceUuid}';
static const String getBookableSpaces = '/bookable-spaces'; static const String getBookableSpaces = '/bookable-spaces';
static const String getCalendarEvents = '/api'; static const String getBookings =
'/bookings?month={mm}%2F{yyyy}&space={space}';
} }