Files
kent_logistics_app/lib/screens/chat_screen.dart

402 lines
10 KiB
Dart
Raw Normal View History

2025-12-03 11:57:05 +05:30
import 'package:flutter/material.dart';
2025-12-15 11:10:52 +05:30
import 'package:provider/provider.dart';
2025-12-03 11:57:05 +05:30
2025-12-15 11:10:52 +05:30
import '../services/chat_service.dart';
import '../services/reverb_socket_service.dart';
import '../services/dio_client.dart';
import '../providers/chat_unread_provider.dart';
2025-12-16 10:24:16 +05:30
import 'package:url_launcher/url_launcher.dart';
import 'dart:io';
import 'package:file_selector/file_selector.dart';
import 'chat_file_viewer.dart';
import '../widgets/chat_file_preview.dart';
2025-12-15 11:10:52 +05:30
class ChatScreen extends StatefulWidget {
2025-12-03 11:57:05 +05:30
const ChatScreen({super.key});
2025-12-15 11:10:52 +05:30
@override
State<ChatScreen> createState() => _ChatScreenState();
}
class _ChatScreenState extends State<ChatScreen> {
final TextEditingController _messageCtrl = TextEditingController();
final ScrollController _scrollCtrl = ScrollController();
2025-12-18 11:03:25 +05:30
Map<String, dynamic>? uploadingMessage;
2025-12-15 11:10:52 +05:30
late ChatService _chatService;
final ReverbSocketService _socket = ReverbSocketService();
int? ticketId;
List<Map<String, dynamic>> messages = [];
bool isLoading = true;
// ============================
// INIT STATE
// ============================
@override
void initState() {
super.initState();
_chatService = ChatService(DioClient.getInstance(context));
// 🔔 Mark chat as OPEN (important)
WidgetsBinding.instance.addPostFrameCallback((_) {
context.read<ChatUnreadProvider>().setChatOpen(true);
});
_initChat();
}
2025-12-18 11:03:25 +05:30
String _guessMimeType(String path) {
final lower = path.toLowerCase();
if (lower.endsWith('.jpg') || lower.endsWith('.png')) return 'image/*';
if (lower.endsWith('.mp4')) return 'video/*';
if (lower.endsWith('.pdf')) return 'application/pdf';
return 'application/octet-stream';
}
2025-12-15 11:10:52 +05:30
2025-12-16 10:24:16 +05:30
Future<void> _pickAndSendFile() async {
2025-12-18 11:03:25 +05:30
final XFile? picked = await openFile();
if (picked == null || ticketId == null) return;
final file = File(picked.path);
// 1⃣ Show uploading UI
setState(() {
uploadingMessage = {
'local_file': file,
'file_type': _guessMimeType(file.path),
'progress': 0.0,
};
});
2025-12-16 10:24:16 +05:30
2025-12-18 11:03:25 +05:30
// 2⃣ Upload (NO adding message)
await _chatService.sendFile(
ticketId!,
file,
onProgress: (progress) {
if (!mounted) return;
setState(() {
uploadingMessage!['progress'] = progress;
});
},
);
2025-12-16 10:24:16 +05:30
2025-12-18 11:03:25 +05:30
// 3⃣ Remove sending bubble ONLY
if (!mounted) return;
setState(() {
uploadingMessage = null;
});
2025-12-16 10:24:16 +05:30
2025-12-18 11:03:25 +05:30
// 🚫 DO NOT add message here
// WebSocket will handle it
2025-12-16 10:24:16 +05:30
}
2025-12-18 11:03:25 +05:30
2025-12-15 11:10:52 +05:30
// ============================
// INIT CHAT
// ============================
Future<void> _initChat() async {
// 1⃣ Start chat
final ticketRes = await _chatService.startChat();
ticketId = ticketRes['ticket']['id'];
// 2⃣ Load messages
final msgs = await _chatService.getMessages(ticketId!);
messages = List<Map<String, dynamic>>.from(msgs);
// 3⃣ Realtime socket
await _socket.connect(
context: context,
ticketId: ticketId!,
onMessage: (msg) {
2025-12-18 11:03:25 +05:30
final incomingClientId = msg['client_id'];
setState(() {
// 🧹 Remove local temp message with same client_id
messages.removeWhere(
(m) => m['client_id'] != null &&
m['client_id'] == incomingClientId,
);
// ✅ Add confirmed socket message
messages.add(msg);
});
2025-12-15 11:10:52 +05:30
_scrollToBottom();
},
2025-12-18 11:03:25 +05:30
2025-12-15 11:10:52 +05:30
onAdminMessage: () {
if (!mounted) {
context.read<ChatUnreadProvider>().increment();
}
},
);
if (!mounted) return;
setState(() => isLoading = false);
_scrollToBottom();
}
// ============================
// SCROLL
// ============================
void _scrollToBottom() {
WidgetsBinding.instance.addPostFrameCallback((_) {
if (_scrollCtrl.hasClients) {
_scrollCtrl.jumpTo(_scrollCtrl.position.maxScrollExtent);
}
});
}
// ============================
// SEND MESSAGE
// ============================
Future<void> _sendMessage() async {
final text = _messageCtrl.text.trim();
2025-12-18 11:03:25 +05:30
if (text.isEmpty || ticketId == null) return;
2025-12-15 11:10:52 +05:30
_messageCtrl.clear();
2025-12-18 11:03:25 +05:30
final clientId = DateTime.now().millisecondsSinceEpoch.toString();
// 1⃣ ADD LOCAL MESSAGE IMMEDIATELY
setState(() {
messages.add({
'client_id': clientId,
'sender_type': 'App\\Models\\User',
'message': text,
'file_path': null,
'file_type': null,
'sending': true,
});
});
_scrollToBottom();
// 2⃣ SEND TO SERVER
2025-12-15 11:10:52 +05:30
await _chatService.sendMessage(
ticketId!,
message: text,
2025-12-18 11:03:25 +05:30
clientId: clientId,
2025-12-15 11:10:52 +05:30
);
}
2025-12-18 11:03:25 +05:30
2025-12-15 11:10:52 +05:30
// ============================
// DISPOSE
// ============================
@override
void dispose() {
// 🔕 Mark chat CLOSED
context.read<ChatUnreadProvider>().setChatOpen(false);
_socket.disconnect();
_messageCtrl.dispose();
_scrollCtrl.dispose();
super.dispose();
}
// ============================
// UI
// ============================
2025-12-03 11:57:05 +05:30
@override
Widget build(BuildContext context) {
2025-12-15 11:10:52 +05:30
return Scaffold(
appBar: AppBar(title: const Text("Support Chat")),
body: isLoading
? const Center(child: CircularProgressIndicator())
: Column(
children: [
Expanded(child: _buildMessages()),
_buildInput(),
],
),
);
}
2025-12-16 10:24:16 +05:30
// Future<void> _openUrl(String url) async {
// final uri = Uri.parse(url);
//
// if (await canLaunchUrl(uri)) {
// await launchUrl(
// uri,
// mode: LaunchMode.externalApplication,
// );
// } else {
// debugPrint("❌ Cannot launch URL: $url");
// }
// }
Widget _buildMessageContent({
String? message,
String? filePath,
String? fileType,
required bool isUser,
}) {
final textColor = isUser ? Colors.white : Colors.black;
if (filePath == null) {
return Text(message ?? '', style: TextStyle(color: textColor));
}
final url = "${DioClient.baseUrl}/storage/$filePath";
return GestureDetector(
onTap: () {
ChatFileViewer.open(
context,
url: url,
fileType: fileType ?? '',
);
},
child: Row(
mainAxisSize: MainAxisSize.min,
children: [
Icon(_iconForFile(fileType), color: textColor),
const SizedBox(width: 8),
Text(
_labelForFile(fileType),
style: TextStyle(color: textColor),
),
],
),
);
}
IconData _iconForFile(String? type) {
if (type == null) return Icons.insert_drive_file;
if (type.startsWith('image/')) return Icons.image;
if (type.startsWith('video/')) return Icons.play_circle_fill;
if (type == 'application/pdf') return Icons.picture_as_pdf;
return Icons.insert_drive_file;
}
String _labelForFile(String? type) {
if (type == null) return "File";
if (type.startsWith('image/')) return "Image";
if (type.startsWith('video/')) return "Video";
if (type == 'application/pdf') return "PDF";
return "Download file";
}
2025-12-15 11:10:52 +05:30
Widget _buildMessages() {
2025-12-18 11:03:25 +05:30
return ListView(
2025-12-15 11:10:52 +05:30
controller: _scrollCtrl,
padding: const EdgeInsets.all(12),
2025-12-18 11:03:25 +05:30
children: [
// EXISTING MESSAGES
...messages.map((msg) {
final isUser = msg['sender_type'] == 'App\\Models\\User';
return Align(
alignment: isUser ? Alignment.centerRight : Alignment.centerLeft,
child: Container(
margin: const EdgeInsets.symmetric(vertical: 6),
padding: const EdgeInsets.all(10),
decoration: BoxDecoration(
color: isUser ? Colors.blue : Colors.grey.shade300,
borderRadius: BorderRadius.circular(12),
),
child: msg['file_path'] == null
? Text(
msg['message'] ?? '',
style: TextStyle(
color: isUser ? Colors.white : Colors.black,
),
)
: ChatFilePreview(
filePath: msg['file_path'],
fileType: msg['file_type'] ?? '',
isUser: isUser,
),
2025-12-15 11:10:52 +05:30
),
2025-12-18 11:03:25 +05:30
);
}),
// ⏳ UPLOADING MESSAGE
if (uploadingMessage != null)
Align(
alignment: Alignment.centerRight,
child: Container(
margin: const EdgeInsets.symmetric(vertical: 6),
padding: const EdgeInsets.all(10),
decoration: BoxDecoration(
color: Colors.blue,
borderRadius: BorderRadius.circular(12),
),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
ChatFilePreview(
filePath: uploadingMessage!['local_file'].path,
fileType: uploadingMessage!['file_type'],
isUser: true,
isLocal: true,
),
const SizedBox(height: 8),
LinearProgressIndicator(
value: uploadingMessage!['progress'],
backgroundColor: Colors.white24,
valueColor:
const AlwaysStoppedAnimation(Colors.white),
),
const SizedBox(height: 4),
const Text(
"Sending…",
style: TextStyle(
color: Colors.white,
fontSize: 12,
),
),
],
2025-12-15 11:10:52 +05:30
),
),
),
2025-12-18 11:03:25 +05:30
],
2025-12-15 11:10:52 +05:30
);
}
2025-12-18 11:03:25 +05:30
2025-12-15 11:10:52 +05:30
Widget _buildInput() {
return SafeArea(
child: Row(
children: [
2025-12-16 10:24:16 +05:30
IconButton(
icon: const Icon(Icons.attach_file),
onPressed: _pickAndSendFile,
),
2025-12-15 11:10:52 +05:30
Expanded(
child: TextField(
controller: _messageCtrl,
2025-12-16 10:24:16 +05:30
decoration: const InputDecoration(
hintText: "Type message",
border: InputBorder.none,
),
2025-12-15 11:10:52 +05:30
),
),
IconButton(
icon: const Icon(Icons.send),
onPressed: _sendMessage,
),
],
),
2025-12-03 11:57:05 +05:30
);
}
2025-12-16 10:24:16 +05:30
2025-12-03 11:57:05 +05:30
}