Restructuration majeure du projet: migration de flutt vers app, ajout de l'API et mise à jour du site web

This commit is contained in:
d6soft
2025-05-16 09:19:03 +02:00
parent b5aafc424b
commit 5c2620de30
391 changed files with 19780 additions and 7233 deletions

View File

@@ -0,0 +1,219 @@
import 'package:flutter/material.dart';
import 'package:geosector_app/shared/app_theme.dart';
/// Widget pour la zone de saisie des messages
class ChatInput extends StatefulWidget {
final Function(String) onMessageSent;
const ChatInput({
Key? key,
required this.onMessageSent,
}) : super(key: key);
@override
State<ChatInput> createState() => _ChatInputState();
}
class _ChatInputState extends State<ChatInput> {
final TextEditingController _controller = TextEditingController();
bool _isComposing = false;
@override
void dispose() {
_controller.dispose();
super.dispose();
}
@override
Widget build(BuildContext context) {
return Container(
padding: const EdgeInsets.symmetric(
horizontal: AppTheme.spacingM,
vertical: AppTheme.spacingS,
),
decoration: BoxDecoration(
color: Colors.white,
boxShadow: [
BoxShadow(
color: Colors.black.withOpacity(0.05),
blurRadius: 5,
offset: const Offset(0, -2),
),
],
),
child: Row(
children: [
// Bouton pour ajouter des pièces jointes
IconButton(
icon: const Icon(Icons.attach_file),
color: AppTheme.primaryColor,
onPressed: () {
// Afficher les options de pièces jointes
_showAttachmentOptions(context);
},
),
// Champ de saisie du message
Expanded(
child: TextField(
controller: _controller,
decoration: InputDecoration(
hintText: 'Écrivez votre message...',
border: OutlineInputBorder(
borderRadius: BorderRadius.circular(24),
borderSide: BorderSide.none,
),
filled: true,
fillColor: Colors.grey[100],
contentPadding: const EdgeInsets.symmetric(
horizontal: 16,
vertical: 8,
),
),
textCapitalization: TextCapitalization.sentences,
maxLines: null,
keyboardType: TextInputType.multiline,
textInputAction: TextInputAction.newline,
onChanged: (text) {
setState(() {
_isComposing = text.isNotEmpty;
});
},
),
),
// Bouton d'envoi
IconButton(
icon: Icon(
_isComposing ? Icons.send : Icons.mic,
color: _isComposing ? AppTheme.primaryColor : Colors.grey[600],
),
onPressed: _isComposing
? () {
final text = _controller.text.trim();
if (text.isNotEmpty) {
widget.onMessageSent(text);
_controller.clear();
setState(() {
_isComposing = false;
});
}
}
: () {
// Activer la reconnaissance vocale
},
),
],
),
);
}
// Afficher les options de pièces jointes
void _showAttachmentOptions(BuildContext context) {
showModalBottomSheet(
context: context,
builder: (context) => Container(
padding: const EdgeInsets.symmetric(
vertical: AppTheme.spacingL,
),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
const Text(
'Ajouter une pièce jointe',
style: TextStyle(
fontWeight: FontWeight.bold,
fontSize: 16,
),
),
const SizedBox(height: AppTheme.spacingL),
Row(
mainAxisAlignment: MainAxisAlignment.spaceEvenly,
children: [
_buildAttachmentOption(
context,
Icons.photo,
'Photo',
Colors.green,
() {
Navigator.pop(context);
// Sélectionner une photo
},
),
_buildAttachmentOption(
context,
Icons.camera_alt,
'Caméra',
Colors.blue,
() {
Navigator.pop(context);
// Prendre une photo
},
),
_buildAttachmentOption(
context,
Icons.insert_drive_file,
'Document',
Colors.orange,
() {
Navigator.pop(context);
// Sélectionner un document
},
),
_buildAttachmentOption(
context,
Icons.location_on,
'Position',
Colors.red,
() {
Navigator.pop(context);
// Partager la position
},
),
],
),
const SizedBox(height: AppTheme.spacingL),
],
),
),
);
}
// Construire une option de pièce jointe
Widget _buildAttachmentOption(
BuildContext context,
IconData icon,
String label,
Color color,
VoidCallback onTap,
) {
return InkWell(
onTap: onTap,
child: Column(
children: [
Container(
width: 56,
height: 56,
decoration: BoxDecoration(
color: color.withOpacity(0.1),
shape: BoxShape.circle,
),
child: Icon(
icon,
color: color,
size: 28,
),
),
const SizedBox(height: 8),
Text(
label,
style: TextStyle(
color: Colors.grey[800],
fontSize: 12,
),
),
],
),
);
}
}

View File

@@ -0,0 +1,245 @@
import 'package:flutter/material.dart';
import 'package:geosector_app/shared/app_theme.dart';
/// Widget pour afficher les messages d'une conversation
class ChatMessages extends StatelessWidget {
final List<Map<String, dynamic>> messages;
final int currentUserId;
final Function(Map<String, dynamic>) onReply;
const ChatMessages({
Key? key,
required this.messages,
required this.currentUserId,
required this.onReply,
}) : super(key: key);
@override
Widget build(BuildContext context) {
return messages.isEmpty
? const Center(
child: Text('Aucun message dans cette conversation'),
)
: ListView.builder(
padding: const EdgeInsets.all(AppTheme.spacingM),
itemCount: messages.length,
reverse:
false, // Afficher les messages du plus ancien au plus récent
itemBuilder: (context, index) {
final message = messages[index];
final isCurrentUser = message['senderId'] == currentUserId;
final hasReply = message['replyTo'] != null;
return Padding(
padding: const EdgeInsets.only(bottom: AppTheme.spacingM),
child: Column(
crossAxisAlignment: isCurrentUser
? CrossAxisAlignment.end
: CrossAxisAlignment.start,
children: [
// Afficher le message auquel on répond
if (hasReply) ...[
Container(
margin: EdgeInsets.only(
left: isCurrentUser ? 0 : 40,
right: isCurrentUser ? 40 : 0,
bottom: 4,
),
padding: const EdgeInsets.all(8),
decoration: BoxDecoration(
color: Colors.grey[200],
borderRadius: BorderRadius.circular(8),
),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(
'Réponse à ${message['replyTo']['senderName']}',
style: const TextStyle(
fontWeight: FontWeight.bold,
fontSize: 12,
color: AppTheme.primaryColor,
),
),
Text(
message['replyTo']['message'],
style: TextStyle(
fontSize: 12,
color: Colors.grey[600],
),
maxLines: 1,
overflow: TextOverflow.ellipsis,
),
],
),
),
],
// Message principal
Row(
mainAxisAlignment: isCurrentUser
? MainAxisAlignment.end
: MainAxisAlignment.start,
crossAxisAlignment: CrossAxisAlignment.start,
children: [
// Avatar (seulement pour les messages des autres)
if (!isCurrentUser)
CircleAvatar(
radius: 16,
backgroundColor:
AppTheme.primaryColor.withOpacity(0.2),
backgroundImage: message['avatar'] != null
? AssetImage(message['avatar'] as String)
: null,
child: message['avatar'] == null
? Text(
message['senderName'].isNotEmpty
? message['senderName'][0].toUpperCase()
: '',
style: const TextStyle(
color: AppTheme.primaryColor,
fontWeight: FontWeight.bold,
fontSize: 12,
),
)
: null,
),
const SizedBox(width: 8),
// Contenu du message
Flexible(
child: Column(
crossAxisAlignment: isCurrentUser
? CrossAxisAlignment.end
: CrossAxisAlignment.start,
children: [
// Nom de l'expéditeur (seulement pour les messages des autres)
if (!isCurrentUser)
Padding(
padding:
const EdgeInsets.only(left: 4, bottom: 2),
child: Text(
message['senderName'],
style: const TextStyle(
fontWeight: FontWeight.bold,
fontSize: 12,
),
),
),
// Bulle de message
Container(
padding: const EdgeInsets.symmetric(
horizontal: 12,
vertical: 8,
),
decoration: BoxDecoration(
color: isCurrentUser
? AppTheme.primaryColor
: Colors.white,
borderRadius: BorderRadius.circular(16),
boxShadow: [
BoxShadow(
color: Colors.black.withOpacity(0.05),
blurRadius: 3,
offset: const Offset(0, 1),
),
],
),
child: Text(
message['message'],
style: TextStyle(
color: isCurrentUser
? Colors.white
: Colors.black87,
),
),
),
// Heure et statut
Padding(
padding: const EdgeInsets.only(top: 4, left: 4),
child: Row(
mainAxisSize: MainAxisSize.min,
children: [
Text(
_formatTime(message['time']),
style: TextStyle(
fontSize: 10,
color: Colors.grey[600],
),
),
const SizedBox(width: 4),
if (isCurrentUser)
Icon(
message['isRead']
? Icons.done_all
: Icons.done,
size: 12,
color: message['isRead']
? Colors.blue
: Colors.grey[600],
),
],
),
),
],
),
),
const SizedBox(width: 8),
// Menu d'actions (seulement pour les messages des autres)
if (!isCurrentUser)
PopupMenuButton<String>(
icon: Icon(
Icons.more_vert,
size: 16,
color: Colors.grey[600],
),
padding: EdgeInsets.zero,
itemBuilder: (context) => [
const PopupMenuItem<String>(
value: 'reply',
child: Row(
children: [
Icon(Icons.reply, size: 16),
SizedBox(width: 8),
Text('Répondre'),
],
),
),
const PopupMenuItem<String>(
value: 'copy',
child: Row(
children: [
Icon(Icons.content_copy, size: 16),
SizedBox(width: 8),
Text('Copier'),
],
),
),
],
onSelected: (value) {
if (value == 'reply') {
onReply(message);
} else if (value == 'copy') {
// Copier le message
}
},
),
],
),
],
),
);
},
);
}
// Formater l'heure du message
String _formatTime(DateTime time) {
return '${time.hour.toString().padLeft(2, '0')}:${time.minute.toString().padLeft(2, '0')}';
}
}

View File

@@ -0,0 +1,219 @@
import 'package:flutter/material.dart';
import 'package:geosector_app/shared/app_theme.dart';
/// Widget pour afficher la barre latérale des contacts
class ChatSidebar extends StatelessWidget {
final List<Map<String, dynamic>> teamContacts;
final List<Map<String, dynamic>> clientContacts;
final bool isTeamChat;
final int selectedContactId;
final Function(int, String, bool) onContactSelected;
final Function(bool) onToggleGroup;
const ChatSidebar({
Key? key,
required this.teamContacts,
required this.clientContacts,
required this.isTeamChat,
required this.selectedContactId,
required this.onContactSelected,
required this.onToggleGroup,
}) : super(key: key);
@override
Widget build(BuildContext context) {
return Column(
children: [
// En-tête avec les onglets
Container(
padding: const EdgeInsets.all(AppTheme.spacingM),
decoration: BoxDecoration(
color: Colors.white,
boxShadow: [
BoxShadow(
color: Colors.black.withOpacity(0.05),
blurRadius: 5,
offset: const Offset(0, 2),
),
],
),
child: Row(
children: [
Expanded(
child: _buildTabButton(
context,
'Équipe',
isTeamChat,
() => onToggleGroup(true),
),
),
const SizedBox(width: AppTheme.spacingS),
Expanded(
child: _buildTabButton(
context,
'Clients',
!isTeamChat,
() => onToggleGroup(false),
),
),
],
),
),
// Liste des contacts
Expanded(
child: Container(
color: Colors.grey[100],
child: ListView(
padding: EdgeInsets.zero,
children: [
// Afficher les contacts appropriés en fonction de l'onglet sélectionné
...isTeamChat
? teamContacts.map(
(contact) => _buildContactItem(context, contact, true))
: clientContacts.map((contact) =>
_buildContactItem(context, contact, false)),
],
),
),
),
],
);
}
// Construire un bouton d'onglet
Widget _buildTabButton(
BuildContext context,
String label,
bool isSelected,
VoidCallback onPressed,
) {
return ElevatedButton(
onPressed: onPressed,
style: ElevatedButton.styleFrom(
backgroundColor: isSelected ? AppTheme.primaryColor : Colors.grey[200],
foregroundColor: isSelected ? Colors.white : Colors.black,
elevation: isSelected ? 2 : 0,
padding: const EdgeInsets.symmetric(vertical: 12),
shape: RoundedRectangleBorder(
borderRadius: BorderRadius.circular(AppTheme.borderRadiusSmall),
),
),
child: Text(label),
);
}
// Construire un élément de contact
Widget _buildContactItem(
BuildContext context,
Map<String, dynamic> contact,
bool isTeam,
) {
final bool isSelected = contact['id'] == selectedContactId;
final bool hasUnread = (contact['unread'] as int) > 0;
return ListTile(
selected: isSelected,
selectedTileColor: Colors.blue.withOpacity(0.1),
leading: CircleAvatar(
backgroundColor: AppTheme.primaryColor.withOpacity(0.2),
backgroundImage: contact['avatar'] != null
? AssetImage(contact['avatar'] as String)
: null,
child: contact['avatar'] == null
? Text(
(contact['name'] as String).isNotEmpty
? (contact['name'] as String)[0].toUpperCase()
: '',
style: const TextStyle(
color: AppTheme.primaryColor,
fontWeight: FontWeight.bold,
),
)
: null,
),
title: Row(
children: [
Expanded(
child: Text(
contact['name'] as String,
style: TextStyle(
fontWeight: hasUnread ? FontWeight.bold : FontWeight.normal,
),
overflow: TextOverflow.ellipsis,
),
),
if (contact['online'] == true)
Container(
width: 8,
height: 8,
decoration: const BoxDecoration(
color: Colors.green,
shape: BoxShape.circle,
),
),
],
),
subtitle: Text(
contact['lastMessage'] as String,
maxLines: 1,
overflow: TextOverflow.ellipsis,
style: TextStyle(
fontWeight: hasUnread ? FontWeight.bold : FontWeight.normal,
color: hasUnread ? Colors.black87 : Colors.grey[600],
),
),
trailing: Column(
mainAxisAlignment: MainAxisAlignment.center,
crossAxisAlignment: CrossAxisAlignment.end,
children: [
Text(
_formatTime(contact['time'] as DateTime),
style: TextStyle(
fontSize: 12,
color: hasUnread ? AppTheme.primaryColor : Colors.grey[500],
),
),
const SizedBox(height: 4),
if (hasUnread)
Container(
padding: const EdgeInsets.all(6),
decoration: BoxDecoration(
color: AppTheme.primaryColor,
shape: BoxShape.circle,
),
child: Text(
(contact['unread'] as int).toString(),
style: const TextStyle(
color: Colors.white,
fontSize: 10,
fontWeight: FontWeight.bold,
),
),
),
],
),
onTap: () => onContactSelected(
contact['id'] as int,
contact['name'] as String,
isTeam,
),
);
}
// Formater l'heure du dernier message
String _formatTime(DateTime time) {
final now = DateTime.now();
final today = DateTime(now.year, now.month, now.day);
final yesterday = today.subtract(const Duration(days: 1));
final messageDate = DateTime(time.year, time.month, time.day);
if (messageDate == today) {
return '${time.hour.toString().padLeft(2, '0')}:${time.minute.toString().padLeft(2, '0')}';
} else if (messageDate == yesterday) {
return 'Hier';
} else {
return '${time.day}/${time.month}';
}
}
}