import 'package:flutter/material.dart'; import 'package:playmaker/screens/team_stats_page.dart'; import '../controllers/team_controller.dart'; import '../models/team_model.dart'; import 'dart:math' as math; // <-- IMPORTANTE: Adicionar para o cálculo class TeamsPage extends StatefulWidget { const TeamsPage({super.key}); @override State createState() => _TeamsPageState(); } class _TeamsPageState extends State { final TeamController controller = TeamController(); final TextEditingController _searchController = TextEditingController(); String _selectedSeason = 'Todas'; String _currentSort = 'Recentes'; String _searchQuery = ''; @override void dispose() { _searchController.dispose(); super.dispose(); } // --- POPUP DE FILTROS --- void _showFilterDialog(BuildContext context, double sf) { showDialog( context: context, builder: (context) { return StatefulBuilder( builder: (context, setModalState) { return AlertDialog( backgroundColor: const Color(0xFF2C3E50), shape: RoundedRectangleBorder(borderRadius: BorderRadius.circular(20 * sf)), title: Row( mainAxisAlignment: MainAxisAlignment.spaceBetween, children: [ Text( "Filtros de pesquisa", style: TextStyle(color: Colors.white, fontSize: 18 * sf, fontWeight: FontWeight.bold), ), IconButton( icon: Icon(Icons.close, color: Colors.white, size: 20 * sf), onPressed: () => Navigator.pop(context), ) ], ), content: Column( mainAxisSize: MainAxisSize.min, children: [ const Divider(color: Colors.white24), SizedBox(height: 16 * sf), Row( crossAxisAlignment: CrossAxisAlignment.start, children: [ // Coluna Temporada Expanded( child: _buildPopupColumn( title: "TEMPORADA", options: ['Todas', '2023/24', '2024/25', '2025/26'], currentValue: _selectedSeason, sf: sf, onSelect: (val) { setState(() => _selectedSeason = val); setModalState(() {}); }, ), ), SizedBox(width: 20 * sf), // Coluna Ordenar Expanded( child: _buildPopupColumn( title: "ORDENAR POR", options: ['Recentes', 'Nome', 'Tamanho'], currentValue: _currentSort, sf: sf, onSelect: (val) { setState(() => _currentSort = val); setModalState(() {}); }, ), ), ], ), ], ), actions: [ TextButton( onPressed: () => Navigator.pop(context), child: Text("CONCLUÍDO", style: TextStyle(color: const Color(0xFFE74C3C), fontWeight: FontWeight.bold, fontSize: 14 * sf)), ), ], ); }, ); }, ); } Widget _buildPopupColumn({ required String title, required List options, required String currentValue, required double sf, required Function(String) onSelect, }) { return Column( crossAxisAlignment: CrossAxisAlignment.start, children: [ Text(title, style: TextStyle(color: Colors.grey, fontSize: 11 * sf, fontWeight: FontWeight.bold)), SizedBox(height: 12 * sf), ...options.map((opt) { final isSelected = currentValue == opt; return InkWell( onTap: () => onSelect(opt), child: Padding( padding: EdgeInsets.symmetric(vertical: 8.0 * sf), child: Text( opt, style: TextStyle( color: isSelected ? const Color(0xFFE74C3C) : Colors.white70, fontWeight: isSelected ? FontWeight.bold : FontWeight.normal, fontSize: 14 * sf, ), ), ), ); }).toList(), ], ); } @override Widget build(BuildContext context) { // 👇 CÁLCULO DA ESCALA (sf) PARA SE ADAPTAR A QUALQUER ECRÃ 👇 final double wScreen = MediaQuery.of(context).size.width; final double hScreen = MediaQuery.of(context).size.height; final double sf = math.min(wScreen, hScreen) / 400; return Scaffold( backgroundColor: const Color(0xFFF5F7FA), appBar: AppBar( title: Text("Minhas Equipas", style: TextStyle(fontWeight: FontWeight.bold, fontSize: 20 * sf)), backgroundColor: const Color(0xFFF5F7FA), elevation: 0, actions: [ IconButton( icon: Icon(Icons.filter_list, color: const Color(0xFFE74C3C), size: 24 * sf), onPressed: () => _showFilterDialog(context, sf), ), ], ), body: Column( children: [ _buildSearchBar(sf), Expanded(child: _buildTeamsList(sf)), ], ), floatingActionButton: FloatingActionButton( backgroundColor: const Color(0xFFE74C3C), child: Icon(Icons.add, color: Colors.white, size: 24 * sf), onPressed: () => _showCreateDialog(context, sf), ), ); } Widget _buildSearchBar(double sf) { return Padding( padding: EdgeInsets.all(16.0 * sf), child: TextField( controller: _searchController, onChanged: (v) => setState(() => _searchQuery = v.toLowerCase()), style: TextStyle(fontSize: 16 * sf), decoration: InputDecoration( hintText: 'Pesquisar equipa...', hintStyle: TextStyle(fontSize: 16 * sf), prefixIcon: Icon(Icons.search, color: const Color(0xFFE74C3C), size: 22 * sf), filled: true, fillColor: Colors.white, border: OutlineInputBorder(borderRadius: BorderRadius.circular(15 * sf), borderSide: BorderSide.none), ), ), ); } Widget _buildTeamsList(double sf) { return StreamBuilder>>( stream: controller.teamsStream, builder: (context, snapshot) { if (snapshot.connectionState == ConnectionState.waiting) { return const Center(child: CircularProgressIndicator()); } if (!snapshot.hasData || snapshot.data!.isEmpty) { return Center(child: Text("Nenhuma equipa encontrada.", style: TextStyle(fontSize: 16 * sf))); } var data = List>.from(snapshot.data!); // --- 1. FILTROS --- if (_selectedSeason != 'Todas') { data = data.where((t) => t['season'] == _selectedSeason).toList(); } if (_searchQuery.isNotEmpty) { data = data.where((t) => t['name'].toString().toLowerCase().contains(_searchQuery)).toList(); } // --- 2. ORDENAÇÃO --- data.sort((a, b) { bool favA = a['is_favorite'] ?? false; bool favB = b['is_favorite'] ?? false; if (favA && !favB) return -1; if (!favA && favB) return 1; if (_currentSort == 'Nome') { return a['name'].toString().compareTo(b['name'].toString()); } else { return (b['created_at'] ?? '').toString().compareTo((a['created_at'] ?? '').toString()); } }); return ListView.builder( padding: EdgeInsets.symmetric(horizontal: 16 * sf), itemCount: data.length, itemBuilder: (context, index) { final team = Team.fromMap(data[index]); return GestureDetector( onTap: () { Navigator.push( context, MaterialPageRoute(builder: (context) => TeamStatsPage(team: team)), ); }, child: TeamCard( team: team, controller: controller, sf: sf, // Passar a escala para o Card onFavoriteTap: () => controller.toggleFavorite(team.id, team.isFavorite), ), ); }, ); }, ); } void _showCreateDialog(BuildContext context, double sf) { showDialog( context: context, builder: (context) => CreateTeamDialog( sf: sf, onConfirm: (name, season, imageUrl) => controller.createTeam(name, season, imageUrl), ), ); } } // --- TEAM CARD --- class TeamCard extends StatelessWidget { final Team team; final TeamController controller; final VoidCallback onFavoriteTap; final double sf; // <-- Variável de escala const TeamCard({ super.key, required this.team, required this.controller, required this.onFavoriteTap, required this.sf, }); @override Widget build(BuildContext context) { return Card( color: Colors.white, elevation: 3, margin: EdgeInsets.only(bottom: 12 * sf), shape: RoundedRectangleBorder(borderRadius: BorderRadius.circular(15 * sf)), child: ListTile( contentPadding: EdgeInsets.symmetric(horizontal: 16 * sf, vertical: 8 * sf), // --- 1. IMAGEM + FAVORITO --- leading: Stack( clipBehavior: Clip.none, children: [ CircleAvatar( radius: 28 * sf, backgroundColor: Colors.grey[200], backgroundImage: (team.imageUrl.isNotEmpty && team.imageUrl.startsWith('http')) ? NetworkImage(team.imageUrl) : null, child: (team.imageUrl.isEmpty || !team.imageUrl.startsWith('http')) ? Text( team.imageUrl.isEmpty ? "🏀" : team.imageUrl, style: TextStyle(fontSize: 24 * sf), ) : null, ), Positioned( left: -15 * sf, top: -10 * sf, child: IconButton( icon: Icon( team.isFavorite ? Icons.star : Icons.star_border, color: team.isFavorite ? Colors.amber : Colors.black.withOpacity(0.1), size: 28 * sf, shadows: [ Shadow( color: Colors.black.withOpacity(team.isFavorite ? 0.3 : 0.1), blurRadius: 4 * sf, ), ], ), onPressed: onFavoriteTap, ), ), ], ), // --- 2. TÍTULO --- title: Text( team.name, style: TextStyle(fontWeight: FontWeight.bold, fontSize: 16 * sf), overflow: TextOverflow.ellipsis, // Previne overflows em nomes longos ), // --- 3. SUBTÍTULO (Contagem + Época em TEMPO REAL) --- subtitle: Padding( padding: EdgeInsets.only(top: 6.0 * sf), child: Row( children: [ Icon(Icons.groups_outlined, size: 16 * sf, color: Colors.grey), SizedBox(width: 4 * sf), // 👇 STREAMBUILDER EM VEZ DE FUTUREBUILDER 👇 StreamBuilder( stream: controller.getPlayerCountStream(team.id), initialData: 0, builder: (context, snapshot) { final count = snapshot.data ?? 0; return Text( "$count Jogs.", style: TextStyle( color: count > 0 ? Colors.green[700] : Colors.orange, fontWeight: FontWeight.bold, fontSize: 13 * sf, ), ); }, ), SizedBox(width: 8 * sf), Expanded( child: Text( "| ${team.season}", style: TextStyle(color: Colors.grey, fontSize: 13 * sf), overflow: TextOverflow.ellipsis, ), ), ], ), ), // --- 4. BOTÕES (Estatísticas e Apagar) --- trailing: Row( mainAxisSize: MainAxisSize.min, // <-- ISTO RESOLVE O OVERFLOW DAS RISCAS AMARELAS children: [ IconButton( tooltip: 'Ver Estatísticas', icon: Icon(Icons.bar_chart_rounded, color: Colors.blue, size: 24 * sf), onPressed: () { Navigator.push( context, MaterialPageRoute( builder: (context) => TeamStatsPage(team: team), ), ); }, ), IconButton( tooltip: 'Eliminar Equipa', icon: Icon(Icons.delete_outline, color: const Color(0xFFE74C3C), size: 24 * sf), onPressed: () => _confirmDelete(context), ), ], ), ), ); } void _confirmDelete(BuildContext context) { showDialog( context: context, builder: (context) => AlertDialog( title: Text('Eliminar Equipa?', style: TextStyle(fontSize: 18 * sf, fontWeight: FontWeight.bold)), content: Text('Tens a certeza que queres eliminar "${team.name}"?', style: TextStyle(fontSize: 14 * sf)), actions: [ TextButton( onPressed: () => Navigator.pop(context), child: Text('Cancelar', style: TextStyle(fontSize: 14 * sf)), ), TextButton( onPressed: () { controller.deleteTeam(team.id); Navigator.pop(context); }, child: Text('Eliminar', style: TextStyle(color: Colors.red, fontSize: 14 * sf)), ), ], ), ); } } // --- DIALOG DE CRIAÇÃO --- class CreateTeamDialog extends StatefulWidget { final Function(String name, String season, String imageUrl) onConfirm; final double sf; // Recebe a escala const CreateTeamDialog({super.key, required this.onConfirm, required this.sf}); @override State createState() => _CreateTeamDialogState(); } class _CreateTeamDialogState extends State { final TextEditingController _nameController = TextEditingController(); final TextEditingController _imageController = TextEditingController(); String _selectedSeason = '2024/25'; @override Widget build(BuildContext context) { return AlertDialog( shape: RoundedRectangleBorder(borderRadius: BorderRadius.circular(15 * widget.sf)), title: Text('Nova Equipa', style: TextStyle(fontSize: 18 * widget.sf, fontWeight: FontWeight.bold)), content: SingleChildScrollView( child: Column( mainAxisSize: MainAxisSize.min, children: [ TextField( controller: _nameController, style: TextStyle(fontSize: 14 * widget.sf), decoration: InputDecoration( labelText: 'Nome da Equipa', labelStyle: TextStyle(fontSize: 14 * widget.sf) ), textCapitalization: TextCapitalization.words, ), SizedBox(height: 15 * widget.sf), DropdownButtonFormField( value: _selectedSeason, decoration: InputDecoration( labelText: 'Temporada', labelStyle: TextStyle(fontSize: 14 * widget.sf) ), style: TextStyle(fontSize: 14 * widget.sf, color: Colors.black87), items: ['2023/24', '2024/25', '2025/26'] .map((s) => DropdownMenuItem(value: s, child: Text(s))) .toList(), onChanged: (val) => setState(() => _selectedSeason = val!), ), SizedBox(height: 15 * widget.sf), TextField( controller: _imageController, style: TextStyle(fontSize: 14 * widget.sf), decoration: InputDecoration( labelText: 'URL Imagem ou Emoji', labelStyle: TextStyle(fontSize: 14 * widget.sf), hintText: 'Ex: 🏀 ou https://...', hintStyle: TextStyle(fontSize: 14 * widget.sf) ), ), ], ), ), actions: [ TextButton( onPressed: () => Navigator.pop(context), child: Text('Cancelar', style: TextStyle(fontSize: 14 * widget.sf)) ), ElevatedButton( style: ElevatedButton.styleFrom( backgroundColor: const Color(0xFFE74C3C), padding: EdgeInsets.symmetric(horizontal: 16 * widget.sf, vertical: 10 * widget.sf) ), onPressed: () { if (_nameController.text.trim().isNotEmpty) { widget.onConfirm( _nameController.text.trim(), _selectedSeason, _imageController.text.trim(), ); Navigator.pop(context); } }, child: Text('Criar', style: TextStyle(color: Colors.white, fontSize: 14 * widget.sf)), ), ], ); } }