message_chat.dart 22 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493
  1. import 'dart:async';
  2. import 'dart:io';
  3. import 'package:cloud_firestore/cloud_firestore.dart';
  4. import 'package:easy_localization/easy_localization.dart';
  5. import 'package:flutter/foundation.dart';
  6. import 'package:flutter/material.dart';
  7. import 'package:flutter/services.dart';
  8. import 'package:open_file/open_file.dart';
  9. import 'package:selectable_autolink_text/selectable_autolink_text.dart';
  10. import 'package:telnow_mobile_new/src/api/api_auth_provider.dart';
  11. import 'package:telnow_mobile_new/src/api/jwt_token.dart';
  12. import 'package:telnow_mobile_new/src/layouts/components/template.dart';
  13. import 'package:telnow_mobile_new/src/utils/U.dart';
  14. import 'package:translator/translator.dart';
  15. import 'package:url_launcher/url_launcher.dart';
  16. class MobMessageChatPage extends StatefulWidget {
  17. final user;
  18. final String noTicket;
  19. final String opponent;
  20. final String messageId;
  21. final bool askBroadcast;
  22. final String tenant;
  23. const MobMessageChatPage(this.user, this.noTicket, this.opponent, this.messageId, this.askBroadcast, this.tenant, {super.key});
  24. @override
  25. State<MobMessageChatPage> createState() => _MobMessageChatPageState();
  26. }
  27. class _MobMessageChatPageState extends State<MobMessageChatPage> {
  28. final ApiAuthProvider apiAuthProvider = ApiAuthProvider();
  29. final JwtToken token = JwtToken();
  30. final translator = GoogleTranslator();
  31. String? idChat;
  32. String? imagePath;
  33. String? filePath;
  34. ScrollController scrollController = ScrollController();
  35. List messageData = [];
  36. int page = 0;
  37. bool isAfterLoad = false;
  38. String username = '';
  39. bool isLoad = false;
  40. bool stopLoad = false;
  41. bool scrollBottom = false;
  42. bool isReverse = false;
  43. @override
  44. void initState() {
  45. if(U.getInternetStatus()){
  46. getData();
  47. setReadStatus();
  48. scrollController.addListener(() => scrollListener());
  49. }
  50. super.initState();
  51. }
  52. setReadStatus() async {
  53. if (!widget.askBroadcast) {
  54. await apiAuthProvider.patchData('/api/messages/' + widget.messageId, {'readStatus': 'READ'}, context);
  55. }
  56. }
  57. getData() async {
  58. idChat = widget.noTicket;
  59. if (!kIsWeb) {
  60. imagePath = await token.getPath() + '/TelNow/Images/';
  61. filePath = await token.getPath() + '/TelNow/Files/';
  62. }
  63. username = widget.user['userId'];
  64. getMessage();
  65. getCollectionData();
  66. }
  67. getMessage() async {
  68. String url = 'myMessages/$idChat';
  69. String filter = '{"f":["uniqueId","LIKE","%-%"]}';
  70. if (widget.askBroadcast) {
  71. url = 'myBroadcast';
  72. filter = '{"f":["1","EQ","1"]}';
  73. }
  74. if (!isLoad && !stopLoad) {
  75. setState(() => isLoad = true);
  76. var mymess = await apiAuthProvider.getData('/api/messages/search/$url', {'isPaged': 'true', 'page': page.toString(), 'size': '20', 'filter': filter, 'tenant': widget.tenant}, context);
  77. if (mymess.containsKey('_embedded') && mounted) {
  78. List data = mymess['_embedded']['myMessages'];
  79. for (int i = 0; i < data.length; i++) {
  80. if (username == data[i]['from']['user']) {
  81. data[i]['selected'] = false;
  82. }
  83. else{
  84. if(U.autoTranslate()){
  85. data[i]['translate'] = '';
  86. }
  87. }
  88. setState(() => messageData.insert(0, data[i]));
  89. downloadImage(data[i]);
  90. }
  91. setState(() {
  92. if (page == 0) {
  93. scrollBottom = true;
  94. }
  95. isLoad = false;
  96. page++;
  97. if (messageData.length >= mymess['page']['totalElements']) {
  98. stopLoad = true;
  99. }
  100. });
  101. if(U.autoTranslate()){
  102. translateMessage();
  103. }
  104. } else {
  105. setState(() {
  106. isLoad = false;
  107. stopLoad = true;
  108. });
  109. }
  110. }
  111. }
  112. translateMessage(){
  113. var locale = context.locale.toString() == 'zh' ? 'zh-cn' : context.locale.toString();
  114. messageData.forEach((element) async{
  115. if (username != element['from']['user'] && element['translate'] == '') {
  116. var translate = await translator.translate(element['msg']??'', to: locale);
  117. setState(() {
  118. element['translate'] = translate.text;
  119. });
  120. }
  121. });
  122. }
  123. getCollectionData() {
  124. FirebaseFirestore.instance.collection("tmMessages").doc('messages').collection(idChat!).snapshots().listen((querySnapshot) {
  125. setState(() {
  126. querySnapshot.docChanges.forEach((result) async {
  127. var data = result.doc.data();
  128. if (result.type == DocumentChangeType.added && isAfterLoad) {
  129. if ((username == data!['from']['user'] && messageData.where((element) => element['uniqueId'] == data['uniqueId']).length > 0) || (username != data['from']['user'] && data['readStatus'] == 'DELETED')) {
  130. int index = messageData.indexWhere((element) => element['uniqueId'] == data['uniqueId']);
  131. messageData[index]['read'] = data['read'];
  132. messageData[index]['readStatus'] = data['readStatus'];
  133. messageData[index]['imageUrl'] = data['imageUrl'];
  134. } else {
  135. if(U.autoTranslate()){
  136. var locale = context.locale.toString() == 'zh' ? 'zh-cn' : context.locale.toString();
  137. var translate = await translator.translate(data['msg']??'', to: locale);
  138. data['translate'] = translate.text;
  139. }
  140. messageData.add(data);
  141. }
  142. downloadImage(data);
  143. } else if (result.type == DocumentChangeType.modified && isAfterLoad) {
  144. // print("modified");
  145. if (messageData.where((element) => element['uniqueId'] == data!['uniqueId']).length > 0) {
  146. int index = messageData.indexWhere((element) => element['uniqueId'] == data!['uniqueId']);
  147. messageData[index]['read'] = data!['read'];
  148. messageData[index]['readStatus'] = data['readStatus'];
  149. }
  150. } else if (result.type == DocumentChangeType.removed && isAfterLoad) {
  151. // print("removed");
  152. }
  153. });
  154. isAfterLoad = true;
  155. });
  156. });
  157. }
  158. Future<bool> cacheImage(String url, BuildContext context) async {
  159. bool hasNoError = true;
  160. var output = Completer<bool>();
  161. precacheImage(
  162. NetworkImage(url),
  163. context,
  164. onError: (e, stackTrace) => hasNoError = false,
  165. ).then((_) => output.complete(hasNoError));
  166. return output.future;
  167. }
  168. deleteCollection() {
  169. FirebaseFirestore.instance.collection("tmMessages").doc('messages').collection(idChat!).get().then((value) {
  170. for (DocumentSnapshot ds in value.docs) {
  171. ds.reference.delete();
  172. }
  173. });
  174. }
  175. getImageName(imageUrl) {
  176. var imgSplit = imageUrl.toString().split('/');
  177. return imgSplit[imgSplit.length - 1];
  178. }
  179. scrollToBottom() {
  180. scrollController.animateTo(scrollController.position.minScrollExtent, duration: Duration(milliseconds: 1), curve: Curves.decelerate);
  181. scrollBottom = false;
  182. }
  183. scrollListener() {
  184. if (scrollController.offset >= scrollController.position.maxScrollExtent) {
  185. // print('loadMessage');
  186. getMessage();
  187. }
  188. }
  189. downloadImage(data) async {
  190. if (!kIsWeb && data['imageUrl'] != null && data['imageUrl'] != '') {
  191. int index = messageData.indexWhere((element) => element['uniqueId'] == data['uniqueId']);
  192. setState(() => messageData[index]['loadingImage'] = true);
  193. if (data['imageUrl'].split('.').last == 'pdf') {
  194. if (!File(filePath! + getImageName(data['imageUrl'])).existsSync()) {
  195. await apiAuthProvider.downloadImage(data['imageUrl'], filePath! + getImageName(data['imageUrl']));
  196. }
  197. } else {
  198. if (!File(imagePath! + getImageName(data['imageUrl'])).existsSync()) {
  199. if (await cacheImage(data['imageUrl'], context)) {
  200. await apiAuthProvider.downloadImage(data['imageUrl'], imagePath! + getImageName(data['imageUrl']));
  201. }
  202. }
  203. }
  204. setState(() => messageData[index]['loadingImage'] = false);
  205. }
  206. }
  207. @override
  208. Widget build(BuildContext context) {
  209. var bodyWidth = U.bodyWidth(context);
  210. WidgetsBinding.instance.addPostFrameCallback((_) {
  211. if (messageData.length > 0) {
  212. if (scrollController.position.maxScrollExtent > 0 && !isReverse) {
  213. setState(() => isReverse = true);
  214. }
  215. if (isAfterLoad && scrollBottom && isReverse) {
  216. scrollToBottom();
  217. }
  218. }
  219. });
  220. return WillPopScope(
  221. onWillPop: () async {
  222. deleteCollection();
  223. Navigator.of(context).pop();
  224. return true;
  225. },
  226. child: Scaffold(
  227. backgroundColor: Colors.white,
  228. resizeToAvoidBottomInset: true,
  229. appBar: appBarTemplate(context: context, title: widget.opponent != 'all_informants' ? widget.opponent : "allInformants".tr()),
  230. body: Column(
  231. children: [
  232. divider(),
  233. U.getInternetStatus()?Expanded(
  234. child: Container(width: bodyWidth,
  235. child:LayoutBuilder(
  236. builder: (context,constraint) {
  237. return messageData.length == 0 && !isAfterLoad ? loadingTemplate() : Column(
  238. children: [
  239. Expanded(
  240. child: SingleChildScrollView(
  241. padding: const EdgeInsets.fromLTRB(10, 10, 10, 7),
  242. controller: scrollController,
  243. reverse: isReverse,
  244. child: Column(
  245. children: List.generate(messageData.length, (i) {
  246. bool hideDate = i == 0 ? false : checkDate(messageData[i]['datetime'], messageData[i - 1]['datetime']);
  247. bool isNip = i == 0 ? true : !hideDate ? true : messageData[i]['from']['user'] == messageData[i - 1]['from']['user'] ? false : true;
  248. return Column(
  249. children: [
  250. !hideDate ? Center(
  251. child: Padding(
  252. padding: const EdgeInsets.all(10),
  253. child: bubble_chat(Text(convertDate(messageData[i]['datetime'], context.locale.toString()), textAlign: TextAlign.center, style: TextStyle(fontSize: 12)), null, false, false),
  254. ),
  255. ) : Container(),
  256. Builder(builder: (context) {
  257. var isMe = messageData[i]['from']['user'] == widget.user['userId'];
  258. var isFile = messageData[i]['imageUrl'] != null && messageData[i]['imageUrl'] != '' && messageData[i]['readStatus'] != 'DELETED';
  259. var isPdf = isFile && messageData[i]['imageUrl'].split('.').last == 'pdf';
  260. var isImg = isFile && !isPdf;
  261. var isTranslate = U.autoTranslate() && !isMe && messageData[i]['msg'] != messageData[i]['translate'];
  262. var wdg = messageData[i]['readStatus'] == 'DELETED' ? Text('deletedMessage'.tr(), style: TextStyle(fontSize: 14, color: Colors.black54, fontStyle: FontStyle.italic)) : Column(
  263. crossAxisAlignment: CrossAxisAlignment.start,
  264. children: [
  265. isPdf ? GestureDetector(
  266. child: Builder(builder: (context) {
  267. var pdfContainer = Container(
  268. padding: EdgeInsets.all(6),
  269. decoration: BoxDecoration(color: Colors.black12.withValues(alpha: 0.1), borderRadius: BorderRadius.all(Radius.circular(4))),
  270. child: Row(
  271. mainAxisSize: MainAxisSize.min,
  272. children: [
  273. Icon(Icons.picture_as_pdf),
  274. SizedBox(
  275. width: 6,
  276. ),
  277. Flexible(child: Text(getImageName(messageData[i]['imageUrl'])))
  278. ],
  279. ),
  280. );
  281. if (kIsWeb) {
  282. return pdfContainer;
  283. } else if (File(filePath! + getImageName(messageData[i]['imageUrl'])).existsSync()) {
  284. return pdfContainer;
  285. } else {
  286. return NoImageFound(messageData[i]['loadingImage'] ? false : true);
  287. }
  288. }),
  289. onTap: () async {
  290. kIsWeb ? await launchUrl( messageData[i]['imageUrl']) : File(filePath! + getImageName(messageData[i]['imageUrl'])).existsSync() ? await OpenFile.open(filePath! + getImageName(messageData[i]['imageUrl'])) : null;
  291. },
  292. ) : isImg ? GestureDetector(
  293. child: Container(
  294. margin: const EdgeInsets.only(bottom: 5),
  295. child: Builder(builder: (context) {
  296. if (kIsWeb) {
  297. return Image.network(messageData[i]['imageUrl'], fit: BoxFit.cover, width: 200, height: 200);
  298. } else if (File(imagePath! + getImageName(messageData[i]['imageUrl'])).existsSync()) {
  299. return Image.file(File(imagePath! + getImageName(messageData[i]['imageUrl'])), fit: BoxFit.cover, width: 200, height: 200);
  300. } else {
  301. return NoImageFound(messageData[i]['loadingImage'] ? false : true);
  302. }
  303. })
  304. ),
  305. onTap: () => kIsWeb ? navigateTo(context, PhotoPreview(widget.opponent, messageData[i]['imageUrl'], true)) : File(imagePath! + getImageName(messageData[i]['imageUrl'])).existsSync() ? navigateTo(context, PhotoPreview(widget.opponent, File(imagePath! + getImageName(messageData[i]['imageUrl'])), false)) : null,
  306. ) : SizedBox(height: 1),
  307. messageData[i]['msg'] != null && messageData[i]['msg'] != '' ? Column(
  308. crossAxisAlignment: !isMe?CrossAxisAlignment.start:CrossAxisAlignment.end,
  309. children: [
  310. SizedBox(height: 4),
  311. SelectableAutoLinkText(
  312. messageData[i]['msg'],
  313. style: TextStyle(fontSize: 14, color: Colors.black),
  314. linkStyle: TextStyle(color: Colors.blueAccent),
  315. highlightedLinkStyle: TextStyle(color: Colors.blueAccent, backgroundColor: Colors.blueAccent.withAlpha(0x33)),
  316. onTap: (link) async{
  317. if (await canLaunchUrl(Uri.parse(link))) {
  318. await launchUrl(Uri.parse(link));
  319. }
  320. },
  321. onLongPress: (link) {
  322. Clipboard.setData(new ClipboardData(text: link)).then((value){
  323. showSuccess('link_copied'.tr(), context);
  324. });
  325. },
  326. enableInteractiveSelection: false,
  327. ),
  328. isTranslate ? Container(
  329. margin: EdgeInsets.only(top: 2), decoration: BoxDecoration(border: Border(top: BorderSide(color: Colors.black.withValues(alpha: 0.2)))),
  330. child: Text(messageData[i]['translate']!=''?'(${messageData[i]['translate']})':'...', style: TextStyle(fontSize: 14, color: Colors.black.withValues(alpha: 0.65), fontStyle: FontStyle.italic)),
  331. ) : Container(),
  332. ],
  333. )
  334. : Container()
  335. ],
  336. );
  337. var timeBubble = Positioned(
  338. bottom: 0,
  339. right: isNip ? 6 : 0,
  340. child: Text(DateFormat('HH:mm').format(DateTime.parse(messageData[i]['datetime'])),
  341. style: TextStyle(fontSize: 10, color: Colors.black45)),
  342. );
  343. var expander = Expanded(
  344. flex: 8,
  345. child: Column(
  346. children: [
  347. bubble_chat(wdg, timeBubble, isNip, isMe),
  348. SizedBox(
  349. height: 5,
  350. ),
  351. ],
  352. crossAxisAlignment: isMe ? CrossAxisAlignment.end : CrossAxisAlignment.start,
  353. ));
  354. return isMe
  355. ? Row(
  356. children: [
  357. Expanded(
  358. flex: 2,
  359. child: Container(),
  360. ),
  361. expander,
  362. ],
  363. )
  364. : Row(
  365. children: [
  366. expander,
  367. Expanded(
  368. flex: 2,
  369. child: Container(),
  370. ),
  371. ],
  372. );
  373. }),
  374. ],
  375. );
  376. }),
  377. ),
  378. ),
  379. ),
  380. ],
  381. );
  382. }
  383. ),
  384. ),
  385. ):Container(
  386. margin: EdgeInsets.all(20),
  387. child: Text('noInternetDesc'.tr(), style: TextStyle(color: textColor.withValues(alpha: 0.65), fontStyle: FontStyle.italic, height: 1.5, fontSize: 16.0), textAlign: TextAlign.center),
  388. )
  389. ],
  390. ),
  391. ),
  392. );
  393. }
  394. Widget bubble_chat(Widget child, Widget? time, bool isNip, bool isMe) {
  395. bool isDate = false;
  396. if (time == null) {
  397. isDate = true;
  398. time = Container();
  399. }
  400. Color color = isMe ? primaryColor.withValues(alpha: 0.3) : isDate ? Color(0xffD5F5FF) : Color(0xffECECEC);
  401. var clipPath = ClipPath(
  402. child: ConstrainedBox(
  403. constraints: BoxConstraints(minWidth: 50),
  404. child: Container(
  405. decoration: BoxDecoration(
  406. color: color,
  407. ),
  408. child: Padding(padding: EdgeInsets.all(8),
  409. child: isDate ? child : Stack(
  410. children: [
  411. Padding(
  412. padding: EdgeInsets.only(
  413. bottom: 15,
  414. right: isNip && isMe ? 6 : 0,
  415. left: isNip && !isMe ? 6 : 0,
  416. ),
  417. child: child,
  418. ),
  419. time
  420. ],
  421. ),
  422. ),
  423. ),
  424. ),
  425. clipper: isMe ? MyClipper(isNip) : YourClipper(isNip),
  426. );
  427. return Padding(
  428. padding: EdgeInsets.only(
  429. right: isNip && isMe ? 0 : 6,
  430. left: isNip && !isMe ? 0 : 6
  431. ),
  432. child: clipPath
  433. );
  434. }
  435. bool checkDate(date1, date2) {
  436. final dateToCheck1 = DateTime(DateTime.parse(date1).year, DateTime.parse(date1).month, DateTime.parse(date1).day);
  437. final dateToCheck2 = DateTime(DateTime.parse(date2).year, DateTime.parse(date2).month, DateTime.parse(date2).day);
  438. return dateToCheck1 == dateToCheck2 ? true : false;
  439. }
  440. String convertDate(date, locale) {
  441. final dateToCheck = DateTime.parse(date);
  442. final now = DateTime.now();
  443. final today = DateTime(now.year, now.month, now.day);
  444. final yesterday = DateTime(now.year, now.month, now.day - 1);
  445. final aDate = DateTime(dateToCheck.year, dateToCheck.month, dateToCheck.day);
  446. if (aDate == today) {
  447. return 'today'.tr();
  448. } else if (aDate == yesterday) {
  449. return 'yesterday'.tr();
  450. } else {
  451. return DateFormat('dd MMMM yyyy', locale).format(DateTime.parse(date));
  452. }
  453. }
  454. }