Initial commit
This commit is contained in:
32
lib/presentation/home/home_controller.dart
Normal file
32
lib/presentation/home/home_controller.dart
Normal file
@@ -0,0 +1,32 @@
|
||||
import 'package:riverpod_annotation/riverpod_annotation.dart';
|
||||
import 'package:trainhub_flutter/injection.dart';
|
||||
import 'package:trainhub_flutter/domain/repositories/program_repository.dart';
|
||||
import 'package:trainhub_flutter/presentation/home/home_state.dart';
|
||||
|
||||
part 'home_controller.g.dart';
|
||||
|
||||
@riverpod
|
||||
class HomeController extends _$HomeController {
|
||||
@override
|
||||
Future<HomeState> build() async {
|
||||
final ProgramRepository programRepo = getIt<ProgramRepository>();
|
||||
final programs = await programRepo.getAllPrograms();
|
||||
if (programs.isEmpty) return const HomeState();
|
||||
final activeProgram = programs.first;
|
||||
final workouts = await programRepo.getWorkouts(activeProgram.id);
|
||||
final completed = workouts.where((w) => w.completed).toList();
|
||||
final next = workouts.where((w) => !w.completed).firstOrNull;
|
||||
return HomeState(
|
||||
activeProgramName: activeProgram.name,
|
||||
completedWorkouts: completed.length,
|
||||
totalWorkouts: workouts.length,
|
||||
nextWorkoutName: next?.name,
|
||||
recentActivity: completed.reversed.take(5).toList(),
|
||||
);
|
||||
}
|
||||
|
||||
Future<void> refresh() async {
|
||||
state = const AsyncValue.loading();
|
||||
state = await AsyncValue.guard(() => build());
|
||||
}
|
||||
}
|
||||
26
lib/presentation/home/home_controller.g.dart
Normal file
26
lib/presentation/home/home_controller.g.dart
Normal file
@@ -0,0 +1,26 @@
|
||||
// GENERATED CODE - DO NOT MODIFY BY HAND
|
||||
|
||||
part of 'home_controller.dart';
|
||||
|
||||
// **************************************************************************
|
||||
// RiverpodGenerator
|
||||
// **************************************************************************
|
||||
|
||||
String _$homeControllerHash() => r'9704c0237cda64f1c13b4fd6db4fbc6eca9988f8';
|
||||
|
||||
/// See also [HomeController].
|
||||
@ProviderFor(HomeController)
|
||||
final homeControllerProvider =
|
||||
AutoDisposeAsyncNotifierProvider<HomeController, HomeState>.internal(
|
||||
HomeController.new,
|
||||
name: r'homeControllerProvider',
|
||||
debugGetCreateSourceHash: const bool.fromEnvironment('dart.vm.product')
|
||||
? null
|
||||
: _$homeControllerHash,
|
||||
dependencies: null,
|
||||
allTransitiveDependencies: null,
|
||||
);
|
||||
|
||||
typedef _$HomeController = AutoDisposeAsyncNotifier<HomeState>;
|
||||
// ignore_for_file: type=lint
|
||||
// ignore_for_file: subtype_of_sealed_class, invalid_use_of_internal_member, invalid_use_of_visible_for_testing_member, deprecated_member_use_from_same_package
|
||||
699
lib/presentation/home/home_page.dart
Normal file
699
lib/presentation/home/home_page.dart
Normal file
@@ -0,0 +1,699 @@
|
||||
import 'package:auto_route/auto_route.dart';
|
||||
import 'package:flutter/material.dart';
|
||||
import 'package:flutter_riverpod/flutter_riverpod.dart';
|
||||
import 'package:google_fonts/google_fonts.dart';
|
||||
import 'package:trainhub_flutter/core/constants/ui_constants.dart';
|
||||
import 'package:trainhub_flutter/core/theme/app_colors.dart';
|
||||
import 'package:trainhub_flutter/domain/entities/program_workout.dart';
|
||||
import 'package:trainhub_flutter/presentation/common/widgets/app_empty_state.dart';
|
||||
import 'package:trainhub_flutter/presentation/common/widgets/app_stat_card.dart';
|
||||
import 'package:trainhub_flutter/presentation/home/home_controller.dart';
|
||||
import 'package:trainhub_flutter/presentation/home/home_state.dart';
|
||||
|
||||
@RoutePage()
|
||||
class HomePage extends ConsumerWidget {
|
||||
const HomePage({super.key});
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context, WidgetRef ref) {
|
||||
final asyncState = ref.watch(homeControllerProvider);
|
||||
|
||||
return asyncState.when(
|
||||
loading: () => const Center(child: CircularProgressIndicator()),
|
||||
error: (e, _) => Center(
|
||||
child: Padding(
|
||||
padding: const EdgeInsets.all(UIConstants.pagePadding),
|
||||
child: Column(
|
||||
mainAxisSize: MainAxisSize.min,
|
||||
children: [
|
||||
Icon(
|
||||
Icons.error_outline,
|
||||
size: 48,
|
||||
color: AppColors.destructive,
|
||||
),
|
||||
const SizedBox(height: UIConstants.spacing16),
|
||||
Text(
|
||||
'Something went wrong',
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 16,
|
||||
fontWeight: FontWeight.w600,
|
||||
color: AppColors.textPrimary,
|
||||
),
|
||||
),
|
||||
const SizedBox(height: UIConstants.spacing8),
|
||||
Text(
|
||||
'$e',
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 13,
|
||||
color: AppColors.textMuted,
|
||||
),
|
||||
textAlign: TextAlign.center,
|
||||
),
|
||||
const SizedBox(height: UIConstants.spacing24),
|
||||
FilledButton.icon(
|
||||
onPressed: () =>
|
||||
ref.read(homeControllerProvider.notifier).refresh(),
|
||||
icon: const Icon(Icons.refresh, size: 18),
|
||||
label: const Text('Retry'),
|
||||
),
|
||||
],
|
||||
),
|
||||
),
|
||||
),
|
||||
data: (data) {
|
||||
if (data.activeProgramName == null) {
|
||||
return AppEmptyState(
|
||||
icon: Icons.calendar_today_outlined,
|
||||
title: 'No active program',
|
||||
subtitle:
|
||||
'Head to Calendar to create or select a training program to get started.',
|
||||
actionLabel: 'Go to Calendar',
|
||||
onAction: () {
|
||||
AutoTabsRouter.of(context).setActiveIndex(3);
|
||||
},
|
||||
);
|
||||
}
|
||||
return _HomeContent(data: data);
|
||||
},
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
class _HomeContent extends StatelessWidget {
|
||||
final HomeState data;
|
||||
|
||||
const _HomeContent({required this.data});
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
return SingleChildScrollView(
|
||||
padding: const EdgeInsets.all(UIConstants.pagePadding),
|
||||
child: Column(
|
||||
crossAxisAlignment: CrossAxisAlignment.start,
|
||||
children: [
|
||||
// -- Welcome header --
|
||||
_WelcomeHeader(programName: data.activeProgramName!),
|
||||
const SizedBox(height: UIConstants.spacing24),
|
||||
|
||||
// -- Stat cards row --
|
||||
_StatCardsRow(
|
||||
completed: data.completedWorkouts,
|
||||
total: data.totalWorkouts,
|
||||
),
|
||||
const SizedBox(height: UIConstants.spacing24),
|
||||
|
||||
// -- Next workout banner --
|
||||
if (data.nextWorkoutName != null) ...[
|
||||
_NextWorkoutBanner(workoutName: data.nextWorkoutName!),
|
||||
const SizedBox(height: UIConstants.spacing24),
|
||||
],
|
||||
|
||||
// -- Quick actions --
|
||||
_QuickActionsRow(),
|
||||
const SizedBox(height: UIConstants.spacing32),
|
||||
|
||||
// -- Recent activity --
|
||||
_RecentActivitySection(activity: data.recentActivity),
|
||||
],
|
||||
),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
// ---------------------------------------------------------------------------
|
||||
// Welcome header
|
||||
// ---------------------------------------------------------------------------
|
||||
class _WelcomeHeader extends StatelessWidget {
|
||||
final String programName;
|
||||
|
||||
const _WelcomeHeader({required this.programName});
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
return Column(
|
||||
crossAxisAlignment: CrossAxisAlignment.start,
|
||||
children: [
|
||||
Text(
|
||||
'Welcome back',
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 14,
|
||||
fontWeight: FontWeight.w500,
|
||||
color: AppColors.textMuted,
|
||||
),
|
||||
),
|
||||
const SizedBox(height: UIConstants.spacing4),
|
||||
Row(
|
||||
children: [
|
||||
Expanded(
|
||||
child: Text(
|
||||
programName,
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 28,
|
||||
fontWeight: FontWeight.w700,
|
||||
color: AppColors.textPrimary,
|
||||
),
|
||||
),
|
||||
),
|
||||
Container(
|
||||
padding: const EdgeInsets.symmetric(
|
||||
horizontal: UIConstants.spacing12,
|
||||
vertical: 6,
|
||||
),
|
||||
decoration: BoxDecoration(
|
||||
color: AppColors.accentMuted,
|
||||
borderRadius: UIConstants.smallCardBorderRadius,
|
||||
),
|
||||
child: Row(
|
||||
mainAxisSize: MainAxisSize.min,
|
||||
children: [
|
||||
const Icon(
|
||||
Icons.fitness_center,
|
||||
size: 14,
|
||||
color: AppColors.accent,
|
||||
),
|
||||
const SizedBox(width: 6),
|
||||
Text(
|
||||
'Active Program',
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 12,
|
||||
fontWeight: FontWeight.w600,
|
||||
color: AppColors.accent,
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
],
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
// ---------------------------------------------------------------------------
|
||||
// Stat cards row
|
||||
// ---------------------------------------------------------------------------
|
||||
class _StatCardsRow extends StatelessWidget {
|
||||
final int completed;
|
||||
final int total;
|
||||
|
||||
const _StatCardsRow({required this.completed, required this.total});
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
final progress = total == 0 ? 0 : (completed / total * 100).round();
|
||||
|
||||
return Row(
|
||||
children: [
|
||||
Expanded(
|
||||
child: AppStatCard(
|
||||
title: 'Completed',
|
||||
value: '$completed',
|
||||
icon: Icons.check_circle_outline,
|
||||
accentColor: AppColors.success,
|
||||
),
|
||||
),
|
||||
const SizedBox(width: UIConstants.spacing16),
|
||||
Expanded(
|
||||
child: AppStatCard(
|
||||
title: 'Total Workouts',
|
||||
value: '$total',
|
||||
icon: Icons.list_alt,
|
||||
accentColor: AppColors.info,
|
||||
),
|
||||
),
|
||||
const SizedBox(width: UIConstants.spacing16),
|
||||
Expanded(
|
||||
child: AppStatCard(
|
||||
title: 'Progress',
|
||||
value: '$progress%',
|
||||
icon: Icons.trending_up,
|
||||
accentColor: AppColors.purple,
|
||||
),
|
||||
),
|
||||
],
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
// ---------------------------------------------------------------------------
|
||||
// Next workout banner
|
||||
// ---------------------------------------------------------------------------
|
||||
class _NextWorkoutBanner extends StatelessWidget {
|
||||
final String workoutName;
|
||||
|
||||
const _NextWorkoutBanner({required this.workoutName});
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
return Container(
|
||||
width: double.infinity,
|
||||
padding: const EdgeInsets.all(UIConstants.cardPadding),
|
||||
decoration: BoxDecoration(
|
||||
color: AppColors.surfaceContainer,
|
||||
borderRadius: UIConstants.cardBorderRadius,
|
||||
border: Border.all(color: AppColors.border),
|
||||
),
|
||||
child: Row(
|
||||
children: [
|
||||
Container(
|
||||
width: 40,
|
||||
height: 40,
|
||||
decoration: BoxDecoration(
|
||||
color: AppColors.accentMuted,
|
||||
borderRadius: UIConstants.smallCardBorderRadius,
|
||||
),
|
||||
child: const Icon(
|
||||
Icons.play_arrow_rounded,
|
||||
color: AppColors.accent,
|
||||
size: 22,
|
||||
),
|
||||
),
|
||||
const SizedBox(width: UIConstants.spacing12),
|
||||
Expanded(
|
||||
child: Column(
|
||||
crossAxisAlignment: CrossAxisAlignment.start,
|
||||
children: [
|
||||
Text(
|
||||
'Up Next',
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 12,
|
||||
fontWeight: FontWeight.w500,
|
||||
color: AppColors.textMuted,
|
||||
),
|
||||
),
|
||||
const SizedBox(height: 2),
|
||||
Text(
|
||||
workoutName,
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 15,
|
||||
fontWeight: FontWeight.w600,
|
||||
color: AppColors.textPrimary,
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
),
|
||||
Icon(
|
||||
Icons.chevron_right,
|
||||
color: AppColors.textMuted,
|
||||
size: 20,
|
||||
),
|
||||
],
|
||||
),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
// ---------------------------------------------------------------------------
|
||||
// Quick actions row
|
||||
// ---------------------------------------------------------------------------
|
||||
class _QuickActionsRow extends StatelessWidget {
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
return Column(
|
||||
crossAxisAlignment: CrossAxisAlignment.start,
|
||||
children: [
|
||||
Text(
|
||||
'Quick Actions',
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 16,
|
||||
fontWeight: FontWeight.w600,
|
||||
color: AppColors.textPrimary,
|
||||
),
|
||||
),
|
||||
const SizedBox(height: UIConstants.spacing12),
|
||||
Row(
|
||||
children: [
|
||||
_QuickActionButton(
|
||||
icon: Icons.play_arrow_rounded,
|
||||
label: 'New Workout',
|
||||
color: AppColors.accent,
|
||||
onTap: () {
|
||||
AutoTabsRouter.of(context).setActiveIndex(1);
|
||||
},
|
||||
),
|
||||
const SizedBox(width: UIConstants.spacing12),
|
||||
_QuickActionButton(
|
||||
icon: Icons.description_outlined,
|
||||
label: 'View Plans',
|
||||
color: AppColors.info,
|
||||
onTap: () {
|
||||
AutoTabsRouter.of(context).setActiveIndex(1);
|
||||
},
|
||||
),
|
||||
const SizedBox(width: UIConstants.spacing12),
|
||||
_QuickActionButton(
|
||||
icon: Icons.chat_bubble_outline,
|
||||
label: 'AI Chat',
|
||||
color: AppColors.purple,
|
||||
onTap: () {
|
||||
AutoTabsRouter.of(context).setActiveIndex(4);
|
||||
},
|
||||
),
|
||||
],
|
||||
),
|
||||
],
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
class _QuickActionButton extends StatefulWidget {
|
||||
final IconData icon;
|
||||
final String label;
|
||||
final Color color;
|
||||
final VoidCallback onTap;
|
||||
|
||||
const _QuickActionButton({
|
||||
required this.icon,
|
||||
required this.label,
|
||||
required this.color,
|
||||
required this.onTap,
|
||||
});
|
||||
|
||||
@override
|
||||
State<_QuickActionButton> createState() => _QuickActionButtonState();
|
||||
}
|
||||
|
||||
class _QuickActionButtonState extends State<_QuickActionButton> {
|
||||
bool _isHovered = false;
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
return MouseRegion(
|
||||
onEnter: (_) => setState(() => _isHovered = true),
|
||||
onExit: (_) => setState(() => _isHovered = false),
|
||||
child: AnimatedContainer(
|
||||
duration: UIConstants.animationDuration,
|
||||
decoration: BoxDecoration(
|
||||
color: _isHovered
|
||||
? widget.color.withValues(alpha: 0.08)
|
||||
: Colors.transparent,
|
||||
borderRadius: UIConstants.smallCardBorderRadius,
|
||||
border: Border.all(
|
||||
color: _isHovered ? widget.color.withValues(alpha: 0.4) : AppColors.border,
|
||||
),
|
||||
),
|
||||
child: Material(
|
||||
color: Colors.transparent,
|
||||
child: InkWell(
|
||||
onTap: widget.onTap,
|
||||
borderRadius: UIConstants.smallCardBorderRadius,
|
||||
child: Padding(
|
||||
padding: const EdgeInsets.symmetric(
|
||||
horizontal: UIConstants.spacing24,
|
||||
vertical: UIConstants.spacing12,
|
||||
),
|
||||
child: Row(
|
||||
mainAxisSize: MainAxisSize.min,
|
||||
children: [
|
||||
Icon(
|
||||
widget.icon,
|
||||
size: 18,
|
||||
color: widget.color,
|
||||
),
|
||||
const SizedBox(width: UIConstants.spacing8),
|
||||
Text(
|
||||
widget.label,
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 13,
|
||||
fontWeight: FontWeight.w500,
|
||||
color: _isHovered
|
||||
? widget.color
|
||||
: AppColors.textSecondary,
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
),
|
||||
),
|
||||
),
|
||||
),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
// ---------------------------------------------------------------------------
|
||||
// Recent activity section
|
||||
// ---------------------------------------------------------------------------
|
||||
class _RecentActivitySection extends StatelessWidget {
|
||||
final List<ProgramWorkoutEntity> activity;
|
||||
|
||||
const _RecentActivitySection({required this.activity});
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
return Column(
|
||||
crossAxisAlignment: CrossAxisAlignment.start,
|
||||
children: [
|
||||
Row(
|
||||
children: [
|
||||
Expanded(
|
||||
child: Text(
|
||||
'Recent Activity',
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 16,
|
||||
fontWeight: FontWeight.w600,
|
||||
color: AppColors.textPrimary,
|
||||
),
|
||||
),
|
||||
),
|
||||
if (activity.isNotEmpty)
|
||||
Text(
|
||||
'${activity.length} workout${activity.length == 1 ? '' : 's'}',
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 12,
|
||||
color: AppColors.textMuted,
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
const SizedBox(height: UIConstants.spacing12),
|
||||
if (activity.isEmpty)
|
||||
_EmptyActivity()
|
||||
else
|
||||
_ActivityList(activity: activity),
|
||||
],
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
class _EmptyActivity extends StatelessWidget {
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
return Container(
|
||||
width: double.infinity,
|
||||
padding: const EdgeInsets.symmetric(
|
||||
vertical: 40,
|
||||
horizontal: UIConstants.spacing24,
|
||||
),
|
||||
decoration: BoxDecoration(
|
||||
color: AppColors.surfaceContainer,
|
||||
borderRadius: UIConstants.cardBorderRadius,
|
||||
border: Border.all(color: AppColors.border),
|
||||
),
|
||||
child: Column(
|
||||
children: [
|
||||
Icon(
|
||||
Icons.history,
|
||||
size: 32,
|
||||
color: AppColors.textMuted,
|
||||
),
|
||||
const SizedBox(height: UIConstants.spacing12),
|
||||
Text(
|
||||
'No completed workouts yet',
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 14,
|
||||
fontWeight: FontWeight.w500,
|
||||
color: AppColors.textSecondary,
|
||||
),
|
||||
),
|
||||
const SizedBox(height: UIConstants.spacing4),
|
||||
Text(
|
||||
'Your recent workout history will appear here.',
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 13,
|
||||
color: AppColors.textMuted,
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
class _ActivityList extends StatelessWidget {
|
||||
final List<ProgramWorkoutEntity> activity;
|
||||
|
||||
const _ActivityList({required this.activity});
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
return Container(
|
||||
decoration: BoxDecoration(
|
||||
color: AppColors.surfaceContainer,
|
||||
borderRadius: UIConstants.cardBorderRadius,
|
||||
border: Border.all(color: AppColors.border),
|
||||
),
|
||||
child: ClipRRect(
|
||||
borderRadius: UIConstants.cardBorderRadius,
|
||||
child: Column(
|
||||
children: [
|
||||
for (int i = 0; i < activity.length; i++) ...[
|
||||
if (i > 0)
|
||||
const Divider(
|
||||
height: 1,
|
||||
thickness: 1,
|
||||
color: AppColors.border,
|
||||
),
|
||||
_ActivityItem(workout: activity[i]),
|
||||
],
|
||||
],
|
||||
),
|
||||
),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
class _ActivityItem extends StatefulWidget {
|
||||
final ProgramWorkoutEntity workout;
|
||||
|
||||
const _ActivityItem({required this.workout});
|
||||
|
||||
@override
|
||||
State<_ActivityItem> createState() => _ActivityItemState();
|
||||
}
|
||||
|
||||
class _ActivityItemState extends State<_ActivityItem> {
|
||||
bool _isHovered = false;
|
||||
|
||||
Color get _typeColor {
|
||||
switch (widget.workout.type.toLowerCase()) {
|
||||
case 'strength':
|
||||
return AppColors.accent;
|
||||
case 'cardio':
|
||||
return AppColors.info;
|
||||
case 'flexibility':
|
||||
case 'mobility':
|
||||
return AppColors.purple;
|
||||
case 'rest':
|
||||
return AppColors.textMuted;
|
||||
default:
|
||||
return AppColors.success;
|
||||
}
|
||||
}
|
||||
|
||||
IconData get _typeIcon {
|
||||
switch (widget.workout.type.toLowerCase()) {
|
||||
case 'strength':
|
||||
return Icons.fitness_center;
|
||||
case 'cardio':
|
||||
return Icons.directions_run;
|
||||
case 'flexibility':
|
||||
case 'mobility':
|
||||
return Icons.self_improvement;
|
||||
case 'rest':
|
||||
return Icons.bedtime_outlined;
|
||||
default:
|
||||
return Icons.check_circle;
|
||||
}
|
||||
}
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
return MouseRegion(
|
||||
onEnter: (_) => setState(() => _isHovered = true),
|
||||
onExit: (_) => setState(() => _isHovered = false),
|
||||
child: AnimatedContainer(
|
||||
duration: UIConstants.animationDuration,
|
||||
color: _isHovered
|
||||
? AppColors.surfaceContainerHigh.withValues(alpha: 0.5)
|
||||
: Colors.transparent,
|
||||
padding: const EdgeInsets.symmetric(
|
||||
horizontal: UIConstants.cardPadding,
|
||||
vertical: UIConstants.spacing12,
|
||||
),
|
||||
child: Row(
|
||||
children: [
|
||||
// Leading icon with color coding
|
||||
Container(
|
||||
width: 36,
|
||||
height: 36,
|
||||
decoration: BoxDecoration(
|
||||
color: widget.workout.completed
|
||||
? _typeColor.withValues(alpha: 0.15)
|
||||
: AppColors.zinc800,
|
||||
borderRadius: UIConstants.smallCardBorderRadius,
|
||||
),
|
||||
child: Icon(
|
||||
widget.workout.completed ? _typeIcon : Icons.circle_outlined,
|
||||
size: 18,
|
||||
color: widget.workout.completed
|
||||
? _typeColor
|
||||
: AppColors.textMuted,
|
||||
),
|
||||
),
|
||||
const SizedBox(width: UIConstants.spacing12),
|
||||
|
||||
// Workout info
|
||||
Expanded(
|
||||
child: Column(
|
||||
crossAxisAlignment: CrossAxisAlignment.start,
|
||||
children: [
|
||||
Text(
|
||||
widget.workout.name ?? 'Workout',
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 14,
|
||||
fontWeight: FontWeight.w500,
|
||||
color: AppColors.textPrimary,
|
||||
),
|
||||
),
|
||||
const SizedBox(height: 2),
|
||||
Text(
|
||||
'Week ${widget.workout.weekId} · Day ${widget.workout.day}',
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 12,
|
||||
color: AppColors.textMuted,
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
),
|
||||
|
||||
// Type badge
|
||||
Container(
|
||||
padding: const EdgeInsets.symmetric(horizontal: 8, vertical: 4),
|
||||
decoration: BoxDecoration(
|
||||
color: _typeColor.withValues(alpha: 0.12),
|
||||
borderRadius: BorderRadius.circular(6),
|
||||
),
|
||||
child: Text(
|
||||
widget.workout.type,
|
||||
style: GoogleFonts.inter(
|
||||
fontSize: 11,
|
||||
fontWeight: FontWeight.w500,
|
||||
color: _typeColor,
|
||||
),
|
||||
),
|
||||
),
|
||||
const SizedBox(width: UIConstants.spacing12),
|
||||
|
||||
// Status indicator
|
||||
if (widget.workout.completed)
|
||||
const Icon(
|
||||
Icons.check_circle,
|
||||
size: 18,
|
||||
color: AppColors.success,
|
||||
)
|
||||
else
|
||||
const Icon(
|
||||
Icons.radio_button_unchecked,
|
||||
size: 18,
|
||||
color: AppColors.textMuted,
|
||||
),
|
||||
],
|
||||
),
|
||||
),
|
||||
);
|
||||
}
|
||||
}
|
||||
15
lib/presentation/home/home_state.dart
Normal file
15
lib/presentation/home/home_state.dart
Normal file
@@ -0,0 +1,15 @@
|
||||
import 'package:freezed_annotation/freezed_annotation.dart';
|
||||
import 'package:trainhub_flutter/domain/entities/program_workout.dart';
|
||||
|
||||
part 'home_state.freezed.dart';
|
||||
|
||||
@freezed
|
||||
class HomeState with _$HomeState {
|
||||
const factory HomeState({
|
||||
String? activeProgramName,
|
||||
@Default(0) int completedWorkouts,
|
||||
@Default(0) int totalWorkouts,
|
||||
String? nextWorkoutName,
|
||||
@Default([]) List<ProgramWorkoutEntity> recentActivity,
|
||||
}) = _HomeState;
|
||||
}
|
||||
261
lib/presentation/home/home_state.freezed.dart
Normal file
261
lib/presentation/home/home_state.freezed.dart
Normal file
@@ -0,0 +1,261 @@
|
||||
// coverage:ignore-file
|
||||
// GENERATED CODE - DO NOT MODIFY BY HAND
|
||||
// ignore_for_file: type=lint
|
||||
// ignore_for_file: unused_element, deprecated_member_use, deprecated_member_use_from_same_package, use_function_type_syntax_for_parameters, unnecessary_const, avoid_init_to_null, invalid_override_different_default_values_named, prefer_expression_function_bodies, annotate_overrides, invalid_annotation_target, unnecessary_question_mark
|
||||
|
||||
part of 'home_state.dart';
|
||||
|
||||
// **************************************************************************
|
||||
// FreezedGenerator
|
||||
// **************************************************************************
|
||||
|
||||
T _$identity<T>(T value) => value;
|
||||
|
||||
final _privateConstructorUsedError = UnsupportedError(
|
||||
'It seems like you constructed your class using `MyClass._()`. This constructor is only meant to be used by freezed and you are not supposed to need it nor use it.\nPlease check the documentation here for more information: https://github.com/rrousselGit/freezed#adding-getters-and-methods-to-our-models',
|
||||
);
|
||||
|
||||
/// @nodoc
|
||||
mixin _$HomeState {
|
||||
String? get activeProgramName => throw _privateConstructorUsedError;
|
||||
int get completedWorkouts => throw _privateConstructorUsedError;
|
||||
int get totalWorkouts => throw _privateConstructorUsedError;
|
||||
String? get nextWorkoutName => throw _privateConstructorUsedError;
|
||||
List<ProgramWorkoutEntity> get recentActivity =>
|
||||
throw _privateConstructorUsedError;
|
||||
|
||||
/// Create a copy of HomeState
|
||||
/// with the given fields replaced by the non-null parameter values.
|
||||
@JsonKey(includeFromJson: false, includeToJson: false)
|
||||
$HomeStateCopyWith<HomeState> get copyWith =>
|
||||
throw _privateConstructorUsedError;
|
||||
}
|
||||
|
||||
/// @nodoc
|
||||
abstract class $HomeStateCopyWith<$Res> {
|
||||
factory $HomeStateCopyWith(HomeState value, $Res Function(HomeState) then) =
|
||||
_$HomeStateCopyWithImpl<$Res, HomeState>;
|
||||
@useResult
|
||||
$Res call({
|
||||
String? activeProgramName,
|
||||
int completedWorkouts,
|
||||
int totalWorkouts,
|
||||
String? nextWorkoutName,
|
||||
List<ProgramWorkoutEntity> recentActivity,
|
||||
});
|
||||
}
|
||||
|
||||
/// @nodoc
|
||||
class _$HomeStateCopyWithImpl<$Res, $Val extends HomeState>
|
||||
implements $HomeStateCopyWith<$Res> {
|
||||
_$HomeStateCopyWithImpl(this._value, this._then);
|
||||
|
||||
// ignore: unused_field
|
||||
final $Val _value;
|
||||
// ignore: unused_field
|
||||
final $Res Function($Val) _then;
|
||||
|
||||
/// Create a copy of HomeState
|
||||
/// with the given fields replaced by the non-null parameter values.
|
||||
@pragma('vm:prefer-inline')
|
||||
@override
|
||||
$Res call({
|
||||
Object? activeProgramName = freezed,
|
||||
Object? completedWorkouts = null,
|
||||
Object? totalWorkouts = null,
|
||||
Object? nextWorkoutName = freezed,
|
||||
Object? recentActivity = null,
|
||||
}) {
|
||||
return _then(
|
||||
_value.copyWith(
|
||||
activeProgramName: freezed == activeProgramName
|
||||
? _value.activeProgramName
|
||||
: activeProgramName // ignore: cast_nullable_to_non_nullable
|
||||
as String?,
|
||||
completedWorkouts: null == completedWorkouts
|
||||
? _value.completedWorkouts
|
||||
: completedWorkouts // ignore: cast_nullable_to_non_nullable
|
||||
as int,
|
||||
totalWorkouts: null == totalWorkouts
|
||||
? _value.totalWorkouts
|
||||
: totalWorkouts // ignore: cast_nullable_to_non_nullable
|
||||
as int,
|
||||
nextWorkoutName: freezed == nextWorkoutName
|
||||
? _value.nextWorkoutName
|
||||
: nextWorkoutName // ignore: cast_nullable_to_non_nullable
|
||||
as String?,
|
||||
recentActivity: null == recentActivity
|
||||
? _value.recentActivity
|
||||
: recentActivity // ignore: cast_nullable_to_non_nullable
|
||||
as List<ProgramWorkoutEntity>,
|
||||
)
|
||||
as $Val,
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
/// @nodoc
|
||||
abstract class _$$HomeStateImplCopyWith<$Res>
|
||||
implements $HomeStateCopyWith<$Res> {
|
||||
factory _$$HomeStateImplCopyWith(
|
||||
_$HomeStateImpl value,
|
||||
$Res Function(_$HomeStateImpl) then,
|
||||
) = __$$HomeStateImplCopyWithImpl<$Res>;
|
||||
@override
|
||||
@useResult
|
||||
$Res call({
|
||||
String? activeProgramName,
|
||||
int completedWorkouts,
|
||||
int totalWorkouts,
|
||||
String? nextWorkoutName,
|
||||
List<ProgramWorkoutEntity> recentActivity,
|
||||
});
|
||||
}
|
||||
|
||||
/// @nodoc
|
||||
class __$$HomeStateImplCopyWithImpl<$Res>
|
||||
extends _$HomeStateCopyWithImpl<$Res, _$HomeStateImpl>
|
||||
implements _$$HomeStateImplCopyWith<$Res> {
|
||||
__$$HomeStateImplCopyWithImpl(
|
||||
_$HomeStateImpl _value,
|
||||
$Res Function(_$HomeStateImpl) _then,
|
||||
) : super(_value, _then);
|
||||
|
||||
/// Create a copy of HomeState
|
||||
/// with the given fields replaced by the non-null parameter values.
|
||||
@pragma('vm:prefer-inline')
|
||||
@override
|
||||
$Res call({
|
||||
Object? activeProgramName = freezed,
|
||||
Object? completedWorkouts = null,
|
||||
Object? totalWorkouts = null,
|
||||
Object? nextWorkoutName = freezed,
|
||||
Object? recentActivity = null,
|
||||
}) {
|
||||
return _then(
|
||||
_$HomeStateImpl(
|
||||
activeProgramName: freezed == activeProgramName
|
||||
? _value.activeProgramName
|
||||
: activeProgramName // ignore: cast_nullable_to_non_nullable
|
||||
as String?,
|
||||
completedWorkouts: null == completedWorkouts
|
||||
? _value.completedWorkouts
|
||||
: completedWorkouts // ignore: cast_nullable_to_non_nullable
|
||||
as int,
|
||||
totalWorkouts: null == totalWorkouts
|
||||
? _value.totalWorkouts
|
||||
: totalWorkouts // ignore: cast_nullable_to_non_nullable
|
||||
as int,
|
||||
nextWorkoutName: freezed == nextWorkoutName
|
||||
? _value.nextWorkoutName
|
||||
: nextWorkoutName // ignore: cast_nullable_to_non_nullable
|
||||
as String?,
|
||||
recentActivity: null == recentActivity
|
||||
? _value._recentActivity
|
||||
: recentActivity // ignore: cast_nullable_to_non_nullable
|
||||
as List<ProgramWorkoutEntity>,
|
||||
),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
/// @nodoc
|
||||
|
||||
class _$HomeStateImpl implements _HomeState {
|
||||
const _$HomeStateImpl({
|
||||
this.activeProgramName,
|
||||
this.completedWorkouts = 0,
|
||||
this.totalWorkouts = 0,
|
||||
this.nextWorkoutName,
|
||||
final List<ProgramWorkoutEntity> recentActivity = const [],
|
||||
}) : _recentActivity = recentActivity;
|
||||
|
||||
@override
|
||||
final String? activeProgramName;
|
||||
@override
|
||||
@JsonKey()
|
||||
final int completedWorkouts;
|
||||
@override
|
||||
@JsonKey()
|
||||
final int totalWorkouts;
|
||||
@override
|
||||
final String? nextWorkoutName;
|
||||
final List<ProgramWorkoutEntity> _recentActivity;
|
||||
@override
|
||||
@JsonKey()
|
||||
List<ProgramWorkoutEntity> get recentActivity {
|
||||
if (_recentActivity is EqualUnmodifiableListView) return _recentActivity;
|
||||
// ignore: implicit_dynamic_type
|
||||
return EqualUnmodifiableListView(_recentActivity);
|
||||
}
|
||||
|
||||
@override
|
||||
String toString() {
|
||||
return 'HomeState(activeProgramName: $activeProgramName, completedWorkouts: $completedWorkouts, totalWorkouts: $totalWorkouts, nextWorkoutName: $nextWorkoutName, recentActivity: $recentActivity)';
|
||||
}
|
||||
|
||||
@override
|
||||
bool operator ==(Object other) {
|
||||
return identical(this, other) ||
|
||||
(other.runtimeType == runtimeType &&
|
||||
other is _$HomeStateImpl &&
|
||||
(identical(other.activeProgramName, activeProgramName) ||
|
||||
other.activeProgramName == activeProgramName) &&
|
||||
(identical(other.completedWorkouts, completedWorkouts) ||
|
||||
other.completedWorkouts == completedWorkouts) &&
|
||||
(identical(other.totalWorkouts, totalWorkouts) ||
|
||||
other.totalWorkouts == totalWorkouts) &&
|
||||
(identical(other.nextWorkoutName, nextWorkoutName) ||
|
||||
other.nextWorkoutName == nextWorkoutName) &&
|
||||
const DeepCollectionEquality().equals(
|
||||
other._recentActivity,
|
||||
_recentActivity,
|
||||
));
|
||||
}
|
||||
|
||||
@override
|
||||
int get hashCode => Object.hash(
|
||||
runtimeType,
|
||||
activeProgramName,
|
||||
completedWorkouts,
|
||||
totalWorkouts,
|
||||
nextWorkoutName,
|
||||
const DeepCollectionEquality().hash(_recentActivity),
|
||||
);
|
||||
|
||||
/// Create a copy of HomeState
|
||||
/// with the given fields replaced by the non-null parameter values.
|
||||
@JsonKey(includeFromJson: false, includeToJson: false)
|
||||
@override
|
||||
@pragma('vm:prefer-inline')
|
||||
_$$HomeStateImplCopyWith<_$HomeStateImpl> get copyWith =>
|
||||
__$$HomeStateImplCopyWithImpl<_$HomeStateImpl>(this, _$identity);
|
||||
}
|
||||
|
||||
abstract class _HomeState implements HomeState {
|
||||
const factory _HomeState({
|
||||
final String? activeProgramName,
|
||||
final int completedWorkouts,
|
||||
final int totalWorkouts,
|
||||
final String? nextWorkoutName,
|
||||
final List<ProgramWorkoutEntity> recentActivity,
|
||||
}) = _$HomeStateImpl;
|
||||
|
||||
@override
|
||||
String? get activeProgramName;
|
||||
@override
|
||||
int get completedWorkouts;
|
||||
@override
|
||||
int get totalWorkouts;
|
||||
@override
|
||||
String? get nextWorkoutName;
|
||||
@override
|
||||
List<ProgramWorkoutEntity> get recentActivity;
|
||||
|
||||
/// Create a copy of HomeState
|
||||
/// with the given fields replaced by the non-null parameter values.
|
||||
@override
|
||||
@JsonKey(includeFromJson: false, includeToJson: false)
|
||||
_$$HomeStateImplCopyWith<_$HomeStateImpl> get copyWith =>
|
||||
throw _privateConstructorUsedError;
|
||||
}
|
||||
Reference in New Issue
Block a user